ocaml-doc-4.05/0000755000175000017500000000000013142673356012250 5ustar mehdimehdiocaml-doc-4.05/ocaml.html/0000755000175000017500000000000013142673356014306 5ustar mehdimehdiocaml-doc-4.05/ocaml.html/libunix.html0000644000175000017500000001546013131636457016653 0ustar mehdimehdi Chapter 26  The unix library: Unix system calls Previous Up Next

Chapter 26  The unix library: Unix system calls

The unix library makes many Unix system calls and system-related library functions available to OCaml programs. This chapter describes briefly the functions provided. Refer to sections 2 and 3 of the Unix manual for more details on the behavior of these functions.

Not all functions are provided by all Unix variants. If some functions are not available, they will raise Invalid_arg when called.

Programs that use the unix library must be linked as follows:

        ocamlc other options unix.cma other files
        ocamlopt other options unix.cmxa other files

For interactive use of the unix library, do:

        ocamlmktop -o mytop unix.cma
        ./mytop

or (if dynamic linking of C libraries is supported on your platform), start ocaml and type #load "unix.cma";;.

Windows:   A fairly complete emulation of the Unix system calls is provided in the Windows version of OCaml. The end of this chapter gives more information on the functions that are not supported under Windows.
Windows:   The Cygwin port of OCaml fully implements all functions from the Unix module. The native Win32 ports implement a subset of them. Below is a list of the functions that are not implemented, or only partially implemented, by the Win32 ports. Functions not mentioned are fully implemented and behave as described previously in this chapter.
FunctionsComment
forknot implemented, use create_process or threads
waitnot implemented, use waitpid
waitpidcan only wait for a given PID, not any child process
getppidnot implemented (meaningless under Windows)
nicenot implemented
truncate, ftruncatenot implemented
linkimplemented (since 3.02)
symlink, readlinkimplemented (since 4.03.0)
accessexecute permission X_OK cannot be tested, it just tests for read permission instead
fchmodnot implemented
chown, fchownnot implemented (make no sense on a DOS file system)
umasknot implemented
mkfifonot implemented
killpartially implemented (since 4.00.0): only the sigkill signal is implemented
pausenot implemented (no inter-process signals in Windows)
alarmnot implemented
timespartially implemented, will not report timings for child processes
getitimer, setitimernot implemented
getuid, geteuid, getgid, getegidalways return 1
getgroupsalways returns [|1|] (since 2.00)
setuid, setgid, setgroupsnot implemented
getpwnam, getpwuidalways raise Not_found
getgrnam, getgrgidalways raise Not_found
type socket_domainPF_INET is fully supported; PF_INET6 is fully supported (since 4.01.0); PF_UNIX is not supported
establish_servernot implemented; use threads
terminal functions (tc*)not implemented

Previous Up Next ocaml-doc-4.05/ocaml.html/language.html0000644000175000017500000000571113131636457016762 0ustar mehdimehdi Chapter 6  The OCaml language Previous Up Next

Chapter 6  The OCaml language

Foreword

This document is intended as a reference manual for the OCaml language. It lists the language constructs, and gives their precise syntax and informal semantics. It is by no means a tutorial introduction to the language: there is not a single example. A good working knowledge of OCaml is assumed.

No attempt has been made at mathematical rigor: words are employed with their intuitive meaning, without further definition. As a consequence, the typing rules have been left out, by lack of the mathematical framework required to express them, while they are definitely part of a full formal definition of the language.

Notations

The syntax of the language is given in BNF-like notation. Terminal symbols are set in typewriter font (like this). Non-terminal symbols are set in italic font (like  that). Square brackets […] denote optional components. Curly brackets {…} denotes zero, one or several repetitions of the enclosed components. Curly brackets with a trailing plus sign {…}+ denote one or several repetitions of the enclosed components. Parentheses (…) denote grouping.


Previous Up Next ocaml-doc-4.05/ocaml.html/libstr.html0000644000175000017500000000372313131636457016477 0ustar mehdimehdi Chapter 28  The str library: regular expressions and string processing Previous Up Next

Chapter 28  The str library: regular expressions and string processing

The str library provides high-level string processing functions, some based on regular expressions. It is intended to support the kind of file processing that is usually performed with scripting languages such as awk, perl or sed.

Programs that use the str library must be linked as follows:

        ocamlc other options str.cma other files
        ocamlopt other options str.cmxa other files

For interactive use of the str library, do:

        ocamlmktop -o mytop str.cma
        ./mytop

or (if dynamic linking of C libraries is supported on your platform), start ocaml and type #load "str.cma";;.


Previous Up Next ocaml-doc-4.05/ocaml.html/moduleexamples.html0000644000175000017500000005274113131636457020230 0ustar mehdimehdi Chapter 2  The module system Previous Up Next

Chapter 2  The module system

This chapter introduces the module system of OCaml.

2.1  Structures

A primary motivation for modules is to package together related definitions (such as the definitions of a data type and associated operations over that type) and enforce a consistent naming scheme for these definitions. This avoids running out of names or accidentally confusing names. Such a package is called a structure and is introduced by the structend construct, which contains an arbitrary sequence of definitions. The structure is usually given a name with the module binding. Here is for instance a structure packaging together a type of priority queues and their operations:

module PrioQueue = struct type priority = int type 'a queue = Empty | Node of priority * 'a * 'a queue * 'a queue let empty = Empty let rec insert queue prio elt = match queue with Empty -> Node(prio, elt, Empty, Empty) | Node(p, e, left, right) -> if prio <= p then Node(prio, elt, insert right p e, left) else Node(p, e, insert right prio elt, left) exception Queue_is_empty let rec remove_top = function Empty -> raise Queue_is_empty | Node(prio, elt, left, Empty) -> left | Node(prio, elt, Empty, right) -> right | Node(prio, elt, (Node(lprio, lelt, _, _) as left), (Node(rprio, relt, _, _) as right)) -> if lprio <= rprio then Node(lprio, lelt, remove_top left, right) else Node(rprio, relt, left, remove_top right) let extract = function Empty -> raise Queue_is_empty | Node(prio, elt, _, _) as queue -> (prio, elt, remove_top queue) end;;
module PrioQueue : sig type priority = int type 'a queue = Empty | Node of priority * 'a * 'a queue * 'a queue val empty : 'a queue val insert : 'a queue -> priority -> 'a -> 'a queue exception Queue_is_empty val remove_top : 'a queue -> 'a queue val extract : 'a queue -> priority * 'a * 'a queue end

Outside the structure, its components can be referred to using the “dot notation”, that is, identifiers qualified by a structure name. For instance, PrioQueue.insert is the function insert defined inside the structure PrioQueue and PrioQueue.queue is the type queue defined in PrioQueue.

PrioQueue.insert PrioQueue.empty 1 "hello";;
- : string PrioQueue.queue = PrioQueue.Node (1, "hello", PrioQueue.Empty, PrioQueue.Empty)

2.2  Signatures

Signatures are interfaces for structures. A signature specifies which components of a structure are accessible from the outside, and with which type. It can be used to hide some components of a structure (e.g. local function definitions) or export some components with a restricted type. For instance, the signature below specifies the three priority queue operations empty, insert and extract, but not the auxiliary function remove_top. Similarly, it makes the queue type abstract (by not providing its actual representation as a concrete type).

module type PRIOQUEUE = sig type priority = int (* still concrete *) type 'a queue (* now abstract *) val empty : 'a queue val insert : 'a queue -> int -> 'a -> 'a queue val extract : 'a queue -> int * 'a * 'a queue exception Queue_is_empty end;;
module type PRIOQUEUE = sig type priority = int type 'a queue val empty : 'a queue val insert : 'a queue -> int -> 'a -> 'a queue val extract : 'a queue -> int * 'a * 'a queue exception Queue_is_empty end

Restricting the PrioQueue structure by this signature results in another view of the PrioQueue structure where the remove_top function is not accessible and the actual representation of priority queues is hidden:

module AbstractPrioQueue = (PrioQueue : PRIOQUEUE);;
module AbstractPrioQueue : PRIOQUEUE
AbstractPrioQueue.remove_top ;;
Error: Unbound value AbstractPrioQueue.remove_top
AbstractPrioQueue.insert AbstractPrioQueue.empty 1 "hello";;
- : string AbstractPrioQueue.queue = <abstr>

The restriction can also be performed during the definition of the structure, as in

module PrioQueue = (struct ... end : PRIOQUEUE);;

An alternate syntax is provided for the above:

module PrioQueue : PRIOQUEUE = struct ... end;;

2.3  Functors

Functors are “functions” from structures to structures. They are used to express parameterized structures: a structure A parameterized by a structure B is simply a functor F with a formal parameter B (along with the expected signature for B) which returns the actual structure A itself. The functor F can then be applied to one or several implementations B1Bn of B, yielding the corresponding structures A1An.

For instance, here is a structure implementing sets as sorted lists, parameterized by a structure providing the type of the set elements and an ordering function over this type (used to keep the sets sorted):

type comparison = Less | Equal | Greater;;
type comparison = Less | Equal | Greater
module type ORDERED_TYPE = sig type t val compare: t -> t -> comparison end;;
module type ORDERED_TYPE = sig type t val compare : t -> t -> comparison end
module Set = functor (Elt: ORDERED_TYPE) -> struct type element = Elt.t type set = element list let empty = [] let rec add x s = match s with [] -> [x] | hd::tl -> match Elt.compare x hd with Equal -> s (* x is already in s *) | Less -> x :: s (* x is smaller than all elements of s *) | Greater -> hd :: add x tl let rec member x s = match s with [] -> false | hd::tl -> match Elt.compare x hd with Equal -> true (* x belongs to s *) | Less -> false (* x is smaller than all elements of s *) | Greater -> member x tl end;;
module Set : functor (Elt : ORDERED_TYPE) -> sig type element = Elt.t type set = element list val empty : 'a list val add : Elt.t -> Elt.t list -> Elt.t list val member : Elt.t -> Elt.t list -> bool end

By applying the Set functor to a structure implementing an ordered type, we obtain set operations for this type:

module OrderedString = struct type t = string let compare x y = if x = y then Equal else if x < y then Less else Greater end;;
module OrderedString : sig type t = string val compare : 'a -> 'a -> comparison end
module StringSet = Set(OrderedString);;
module StringSet : sig type element = OrderedString.t type set = element list val empty : 'a list val add : OrderedString.t -> OrderedString.t list -> OrderedString.t list val member : OrderedString.t -> OrderedString.t list -> bool end
StringSet.member "bar" (StringSet.add "foo" StringSet.empty);;
- : bool = false

2.4  Functors and type abstraction

As in the PrioQueue example, it would be good style to hide the actual implementation of the type set, so that users of the structure will not rely on sets being lists, and we can switch later to another, more efficient representation of sets without breaking their code. This can be achieved by restricting Set by a suitable functor signature:

module type SETFUNCTOR = functor (Elt: ORDERED_TYPE) -> sig type element = Elt.t (* concrete *) type set (* abstract *) val empty : set val add : element -> set -> set val member : element -> set -> bool end;;
module type SETFUNCTOR = functor (Elt : ORDERED_TYPE) -> sig type element = Elt.t type set val empty : set val add : element -> set -> set val member : element -> set -> bool end
module AbstractSet = (Set : SETFUNCTOR);;
module AbstractSet : SETFUNCTOR
module AbstractStringSet = AbstractSet(OrderedString);;
module AbstractStringSet : sig type element = OrderedString.t type set = AbstractSet(OrderedString).set val empty : set val add : element -> set -> set val member : element -> set -> bool end
AbstractStringSet.add "gee" AbstractStringSet.empty;;
- : AbstractStringSet.set = <abstr>

In an attempt to write the type constraint above more elegantly, one may wish to name the signature of the structure returned by the functor, then use that signature in the constraint:

module type SET = sig type element type set val empty : set val add : element -> set -> set val member : element -> set -> bool end;;
module type SET = sig type element type set val empty : set val add : element -> set -> set val member : element -> set -> bool end
module WrongSet = (Set : functor(Elt: ORDERED_TYPE) -> SET);;
module WrongSet : functor (Elt : ORDERED_TYPE) -> SET
module WrongStringSet = WrongSet(OrderedString);;
module WrongStringSet : sig type element = WrongSet(OrderedString).element type set = WrongSet(OrderedString).set val empty : set val add : element -> set -> set val member : element -> set -> bool end
WrongStringSet.add "gee" WrongStringSet.empty ;;
Error: This expression has type string but an expression was expected of type WrongStringSet.element = WrongSet(OrderedString).element

The problem here is that SET specifies the type element abstractly, so that the type equality between element in the result of the functor and t in its argument is forgotten. Consequently, WrongStringSet.element is not the same type as string, and the operations of WrongStringSet cannot be applied to strings. As demonstrated above, it is important that the type element in the signature SET be declared equal to Elt.t; unfortunately, this is impossible above since SET is defined in a context where Elt does not exist. To overcome this difficulty, OCaml provides a with type construct over signatures that allows enriching a signature with extra type equalities:

module AbstractSet2 = (Set : functor(Elt: ORDERED_TYPE) -> (SET with type element = Elt.t));;
module AbstractSet2 : functor (Elt : ORDERED_TYPE) -> sig type element = Elt.t type set val empty : set val add : element -> set -> set val member : element -> set -> bool end

As in the case of simple structures, an alternate syntax is provided for defining functors and restricting their result:

module AbstractSet2(Elt: ORDERED_TYPE) : (SET with type element = Elt.t) =
  struct ... end;;

Abstracting a type component in a functor result is a powerful technique that provides a high degree of type safety, as we now illustrate. Consider an ordering over character strings that is different from the standard ordering implemented in the OrderedString structure. For instance, we compare strings without distinguishing upper and lower case.

module NoCaseString = struct type t = string let compare s1 s2 = OrderedString.compare (String.lowercase_ascii s1) (String.lowercase_ascii s2) end;;
module NoCaseString : sig type t = string val compare : string -> string -> comparison end
module NoCaseStringSet = AbstractSet(NoCaseString);;
module NoCaseStringSet : sig type element = NoCaseString.t type set = AbstractSet(NoCaseString).set val empty : set val add : element -> set -> set val member : element -> set -> bool end
NoCaseStringSet.add "FOO" AbstractStringSet.empty ;;
Error: This expression has type AbstractStringSet.set = AbstractSet(OrderedString).set but an expression was expected of type NoCaseStringSet.set = AbstractSet(NoCaseString).set

Note that the two types AbstractStringSet.set and NoCaseStringSet.set are not compatible, and values of these two types do not match. This is the correct behavior: even though both set types contain elements of the same type (strings), they are built upon different orderings of that type, and different invariants need to be maintained by the operations (being strictly increasing for the standard ordering and for the case-insensitive ordering). Applying operations from AbstractStringSet to values of type NoCaseStringSet.set could give incorrect results, or build lists that violate the invariants of NoCaseStringSet.

2.5  Modules and separate compilation

All examples of modules so far have been given in the context of the interactive system. However, modules are most useful for large, batch-compiled programs. For these programs, it is a practical necessity to split the source into several files, called compilation units, that can be compiled separately, thus minimizing recompilation after changes.

In OCaml, compilation units are special cases of structures and signatures, and the relationship between the units can be explained easily in terms of the module system. A compilation unit A comprises two files:

These two files together define a structure named A as if the following definition was entered at top-level:

module A: sig (* contents of file A.mli *) end
        = struct (* contents of file A.ml *) end;;

The files that define the compilation units can be compiled separately using the ocamlc -c command (the -c option means “compile only, do not try to link”); this produces compiled interface files (with extension .cmi) and compiled object code files (with extension .cmo). When all units have been compiled, their .cmo files are linked together using the ocamlc command. For instance, the following commands compile and link a program composed of two compilation units Aux and Main:

$ ocamlc -c Aux.mli                     # produces aux.cmi
$ ocamlc -c Aux.ml                      # produces aux.cmo
$ ocamlc -c Main.mli                    # produces main.cmi
$ ocamlc -c Main.ml                     # produces main.cmo
$ ocamlc -o theprogram Aux.cmo Main.cmo

The program behaves exactly as if the following phrases were entered at top-level:

module Aux: sig (* contents of Aux.mli *) end
          = struct (* contents of Aux.ml *) end;;
module Main: sig (* contents of Main.mli *) end
           = struct (* contents of Main.ml *) end;;

In particular, Main can refer to Aux: the definitions and declarations contained in Main.ml and Main.mli can refer to definition in Aux.ml, using the Aux.ident notation, provided these definitions are exported in Aux.mli.

The order in which the .cmo files are given to ocamlc during the linking phase determines the order in which the module definitions occur. Hence, in the example above, Aux appears first and Main can refer to it, but Aux cannot refer to Main.

Note that only top-level structures can be mapped to separately-compiled files, but neither functors nor module types. However, all module-class objects can appear as components of a structure, so the solution is to put the functor or module type inside a structure, which can then be mapped to a file.


Previous Up Next ocaml-doc-4.05/ocaml.html/stdlib.html0000644000175000017500000001762213131636457016464 0ustar mehdimehdi Chapter 24  The standard library Previous Up Next

Chapter 24  The standard library

This chapter describes the functions provided by the OCaml standard library. The modules from the standard library are automatically linked with the user’s object code files by the ocamlc command. Hence, these modules can be used in standalone programs without having to add any .cmo file on the command line for the linking phase. Similarly, in interactive use, these globals can be used in toplevel phrases without having to load any .cmo file in memory.

Unlike the Pervasives module from the core library, the modules from the standard library are not automatically “opened” when a compilation starts, or when the toplevel system is launched. Hence it is necessary to use qualified identifiers to refer to the functions provided by these modules, or to add open directives.

Conventions

For easy reference, the modules are listed below in alphabetical order of module names. For each module, the declarations from its signature are printed one by one in typewriter font, followed by a short comment. All modules and the identifiers they export are indexed at the end of this report.


Previous Up Next ocaml-doc-4.05/ocaml.html/contents_motif.gif0000644000175000017500000000047413131636457020034 0ustar mehdimehdiGIF89ap!" Imported from XPM image: toc.xpm!,@6313c B0 0 A0 0 0 0 `0@`0 `  `0@`0 `0@`0000000000 0000000000 00000000 000000 0000 000000000 00000000000 00000000000000` ;ocaml-doc-4.05/ocaml.html/core.html0000644000175000017500000002455713131636457016140 0ustar mehdimehdi Chapter 23  The core library Previous Up Next

Chapter 23  The core library

This chapter describes the OCaml core library, which is composed of declarations for built-in types and exceptions, plus the module Pervasives that provides basic operations on these built-in types. The Pervasives module is special in two ways:

Conventions

The declarations of the built-in types and the components of module Pervasives are printed one by one in typewriter font, followed by a short comment. All library modules and the components they provide are indexed at the end of this report.

23.1  Built-in types and predefined exceptions

The following built-in types and predefined exceptions are always defined in the compilation environment, but are not part of any module. As a consequence, they can only be referred by their short names.

Built-in types

 type int

The type of integer numbers.
 type char

The type of characters.
 type bytes

The type of (writable) byte sequences.
 type string

The type of (read-only) character strings.
 type float

The type of floating-point numbers.
 type bool = false | true

The type of booleans (truth values).
 type unit = ()

The type of the unit value.
 type exn

The type of exception values.
 type 'a array

The type of arrays whose elements have type 'a.
 type 'a list = [] | :: of 'a * 'a list

The type of lists whose elements have type 'a.
type 'a option = None | Some of 'a

The type of optional values of type 'a.
type int32

The type of signed 32-bit integers. See the Int32[Int32] module.
type int64

The type of signed 64-bit integers. See the Int64[Int64] module.
type nativeint

The type of signed, platform-native integers (32 bits on 32-bit processors, 64 bits on 64-bit processors). See the Nativeint[Nativeint] module.
type ('a, 'b, 'c, 'd, 'e, 'f) format6

The type of format strings. 'a is the type of the parameters of the format, 'f is the result type for the printf-style functions, 'b is the type of the first argument given to %a and %t printing functions (see module Printf[Printf]), 'c is the result type of these functions, and also the type of the argument transmitted to the first argument of kprintf-style functions, 'd is the result type for the scanf-style functions (see module Scanf[Scanf]), and 'e is the type of the receiver function for the scanf-style functions.
type 'a lazy_t

This type is used to implement the Lazy[Lazy] module. It should not be used directly.

Predefined exceptions

exception Match_failure of (string * int * int)

Exception raised when none of the cases of a pattern-matching apply. The arguments are the location of the match keyword in the source code (file name, line number, column number).
exception Assert_failure of (string * int * int)

Exception raised when an assertion fails. The arguments are the location of the assert keyword in the source code (file name, line number, column number).
exception Invalid_argument of string

Exception raised by library functions to signal that the given arguments do not make sense. The string gives some information to the programmer. As a general rule, this exception should not be caught, it denotes a programming error and the code should be modified not to trigger it.
exception Failure of string

Exception raised by library functions to signal that they are undefined on the given arguments. The string is meant to give some information to the programmer; you must not pattern match on the string literal because it may change in future versions (use Failure _ instead).
exception Not_found

Exception raised by search functions when the desired object could not be found.
exception Out_of_memory

Exception raised by the garbage collector when there is insufficient memory to complete the computation.
exception Stack_overflow

Exception raised by the bytecode interpreter when the evaluation stack reaches its maximal size. This often indicates infinite or excessively deep recursion in the user’s program. (Not fully implemented by the native-code compiler; see section 11.5.)
exception Sys_error of string

Exception raised by the input/output functions to report an operating system error. The string is meant to give some information to the programmer; you must not pattern match on the string literal because it may change in future versions (use Sys_error _ instead).
exception End_of_file

Exception raised by input functions to signal that the end of file has been reached.
exception Division_by_zero

Exception raised by integer division and remainder operations when their second argument is zero.
exception Sys_blocked_io

A special case of Sys_error raised when no I/O is possible on a non-blocking I/O channel.
exception Undefined_recursive_module of (string * int * int)

Exception raised when an ill-founded recursive module definition is evaluated. (See section 7.4.) The arguments are the location of the definition in the source code (file name, line number, column number).

23.2  Module Pervasives: the initially opened module


Previous Up Next ocaml-doc-4.05/ocaml.html/libgraph.html0000644000175000017500000001002413131636457016760 0ustar mehdimehdi Chapter 30  The graphics library Previous Up Next

Chapter 30  The graphics library

The graphics library provides a set of portable drawing primitives. Drawing takes place in a separate window that is created when Graphics.open_graph is called.

Unix:   This library is implemented under the X11 windows system. Programs that use the graphics library must be linked as follows:
        ocamlc other options graphics.cma other files
For interactive use of the graphics library, do:
        ocamlmktop -o mytop graphics.cma
        ./mytop
or (if dynamic linking of C libraries is supported on your platform), start ocaml and type #load "graphics.cma";;.

Here are the graphics mode specifications supported by Graphics.open_graph on the X11 implementation of this library: the argument to Graphics.open_graph has the format "display-name geometry", where display-name is the name of the X-windows display to connect to, and geometry is a standard X-windows geometry specification. The two components are separated by a space. Either can be omitted, or both. Examples:

Graphics.open_graph "foo:0"
connects to the display foo:0 and creates a window with the default geometry
Graphics.open_graph "foo:0 300x100+50-0"
connects to the display foo:0 and creates a window 300 pixels wide by 100 pixels tall, at location (50,0)
Graphics.open_graph " 300x100+50-0"
connects to the default display and creates a window 300 pixels wide by 100 pixels tall, at location (50,0)
Graphics.open_graph ""
connects to the default display and creates a window with the default geometry.
Windows:   This library is available both for standalone compiled programs and under the toplevel application ocamlwin.exe. For the latter, this library must be loaded in-core by typing
        #load "graphics.cma";;

The screen coordinates are interpreted as shown in the figure below. Notice that the coordinate system used is the same as in mathematics: y increases from the bottom of the screen to the top of the screen, and angles are measured counterclockwise (in degrees). Drawing is clipped to the screen.


Previous Up Next ocaml-doc-4.05/ocaml.html/patterns.html0000644000175000017500000005673413131636457017052 0ustar mehdimehdi 6.6  Patterns Previous Up Next

6.6  Patterns

pattern::= value-name  
  _  
  constant  
  pattern as  value-name  
  ( pattern )  
  ( pattern :  typexpr )  
  pattern |  pattern  
  constr  pattern  
  `tag-name  pattern  
  #typeconstr  
  pattern  { , pattern }+  
  { field  [: typexpr=  pattern { ; field  [: typexpr=  pattern }  [ ; ] }  
  [ pattern  { ; pattern }  [ ; ] ]  
  pattern ::  pattern  
  [| pattern  { ; pattern }  [ ; ] |]  
  char-literal ..  char-literal

See also the following language extensions: lazy patterns, local opens, first-class modules, attributes, extension nodes and exception cases in pattern matching.

The table below shows the relative precedences and associativity of operators and non-closed pattern constructions. The constructions with higher precedences come first.

OperatorAssociativity
..
lazy (see section 7.3)
Constructor application, Tag applicationright
::right
,
|left
as

Patterns are templates that allow selecting data structures of a given shape, and binding identifiers to components of the data structure. This selection operation is called pattern matching; its outcome is either “this value does not match this pattern”, or “this value matches this pattern, resulting in the following bindings of names to values”.

Variable patterns

A pattern that consists in a value name matches any value, binding the name to the value. The pattern _ also matches any value, but does not bind any name.

Patterns are linear: a variable cannot be bound several times by a given pattern. In particular, there is no way to test for equality between two parts of a data structure using only a pattern (but when guards can be used for this purpose).

Constant patterns

A pattern consisting in a constant matches the values that are equal to this constant.

Alias patterns

The pattern pattern1 as  value-name matches the same values as pattern1. If the matching against pattern1 is successful, the name value-name is bound to the matched value, in addition to the bindings performed by the matching against pattern1.

Parenthesized patterns

The pattern ( pattern1 ) matches the same values as pattern1. A type constraint can appear in a parenthesized pattern, as in ( pattern1 :  typexpr ). This constraint forces the type of pattern1 to be compatible with typexpr.

“Or” patterns

The pattern pattern1 |  pattern2 represents the logical “or” of the two patterns pattern1 and pattern2. A value matches pattern1 |  pattern2 if it matches pattern1 or pattern2. The two sub-patterns pattern1 and pattern2 must bind exactly the same identifiers to values having the same types. Matching is performed from left to right. More precisely, in case some value v matches pattern1 |  pattern2, the bindings performed are those of pattern1 when v matches pattern1. Otherwise, value v matches pattern2 whose bindings are performed.

Variant patterns

The pattern constr (  pattern1 ,,  patternn ) matches all variants whose constructor is equal to constr, and whose arguments match pattern1 …  patternn. It is a type error if n is not the number of arguments expected by the constructor.

The pattern constr _ matches all variants whose constructor is constr.

The pattern pattern1 ::  pattern2 matches non-empty lists whose heads match pattern1, and whose tails match pattern2.

The pattern [ pattern1 ;;  patternn ] matches lists of length n whose elements match pattern1patternn, respectively. This pattern behaves like pattern1 ::::  patternn :: [].

Polymorphic variant patterns

The pattern `tag-name  pattern1 matches all polymorphic variants whose tag is equal to tag-name, and whose argument matches pattern1.

Polymorphic variant abbreviation patterns

If the type [('a,'b,)] typeconstr = [ ` tag-name1  typexpr1 || ` tag-namen  typexprn] is defined, then the pattern #typeconstr is a shorthand for the following or-pattern: ( `tag-name1(_ :  typexpr1) || ` tag-namen(_ :  typexprn)). It matches all values of type [< typeconstr ].

Tuple patterns

The pattern pattern1 ,,  patternn matches n-tuples whose components match the patterns pattern1 through patternn. That is, the pattern matches the tuple values (v1, …, vn) such that patterni matches vi for i = 1,… , n.

Record patterns

The pattern { field1 =  pattern1 ;;  fieldn =  patternn } matches records that define at least the fields field1 through fieldn, and such that the value associated to fieldi matches the pattern patterni, for i = 1,… , n. The record value can define more fields than field1fieldn; the values associated to these extra fields are not taken into account for matching. Optional type constraints can be added field by field with { field1 :  typexpr1 =  pattern1 ;; fieldn :  typexprn =  patternn } to force the type of fieldk to be compatible with typexprk.

Array patterns

The pattern [| pattern1 ;;  patternn |] matches arrays of length n such that the i-th array element matches the pattern patterni, for i = 1,… , n.

Range patterns

The pattern ' c ' .. ' d ' is a shorthand for the pattern

' c ' | ' c1 ' | ' c2 ' || ' cn ' | ' d '

where c1, c2, …, cn are the characters that occur between c and d in the ASCII character set. For instance, the pattern '0'..'9' matches all characters that are digits.


Previous Up Next ocaml-doc-4.05/ocaml.html/comp.html0000644000175000017500000022236413131636457016142 0ustar mehdimehdi Chapter 8  Batch compilation (ocamlc) Previous Up Next

Chapter 8  Batch compilation (ocamlc)

This chapter describes the OCaml batch compiler ocamlc, which compiles OCaml source files to bytecode object files and links these object files to produce standalone bytecode executable files. These executable files are then run by the bytecode interpreter ocamlrun.

8.1  Overview of the compiler

The ocamlc command has a command-line interface similar to the one of most C compilers. It accepts several types of arguments and processes them sequentially, after all options have been processed:

The output of the linking phase is a file containing compiled bytecode that can be executed by the OCaml bytecode interpreter: the command named ocamlrun. If a.out is the name of the file produced by the linking phase, the command

        ocamlrun a.out arg1 arg2argn

executes the compiled code contained in a.out, passing it as arguments the character strings arg1 to argn. (See chapter 10 for more details.)

On most systems, the file produced by the linking phase can be run directly, as in:

        ./a.out arg1 arg2argn

The produced file has the executable bit set, and it manages to launch the bytecode interpreter by itself.

8.2  Options

The following command-line options are recognized by ocamlc. The options -pack, -a, -c and -output-obj are mutually exclusive.

-a
Build a library(.cma file) with the object files ( .cmo files) given on the command line, instead of linking them into an executable file. The name of the library must be set with the -o option.

If -custom, -cclib or -ccopt options are passed on the command line, these options are stored in the resulting .cmalibrary. Then, linking with this library automatically adds back the -custom, -cclib and -ccopt options as if they had been provided on the command line, unless the -noautolink option is given.

-absname
Force error messages to show absolute paths for file names.
-annot
Dump detailed information about the compilation (types, bindings, tail-calls, etc). The information for file src.ml is put into file src.annot. In case of a type error, dump all the information inferred by the type-checker before the error. The src.annot file can be used with the emacs commands given in emacs/caml-types.el to display types and other annotations interactively.
-args filename
Read additional newline-terminated command line arguments from filename.
-args0 filename
Read additional null character terminated command line arguments from filename.
-bin-annot
Dump detailed information about the compilation (types, bindings, tail-calls, etc) in binary format. The information for file src.ml is put into file src.cmt. In case of a type error, dump all the information inferred by the type-checker before the error. The *.cmt files produced by -bin-annot contain more information and are much more compact than the files produced by -annot.
-c
Compile only. Suppress the linking phase of the compilation. Source code files are turned into compiled files, but no executable file is produced. This option is useful to compile modules separately.
-cc ccomp
Use ccomp as the C linker when linking in “custom runtime” mode (see the -custom option) and as the C compiler for compiling .c source files.
-cclib -llibname
Pass the -llibname option to the C linker when linking in “custom runtime” mode (see the -custom option). This causes the given C library to be linked with the program.
-ccopt option
Pass the given option to the C compiler and linker. When linking in “custom runtime” mode, for instance-ccopt -Ldir causes the C linker to search for C libraries in directory dir.(See the -custom option.)
-color mode
Enable or disable colors in compiler messages (especially warnings and errors). The following modes are supported:
auto
use heuristics to enable colors only if the output supports them (an ANSI-compatible tty terminal);
always
enable colors unconditionally;
never
disable color output.
The default setting is ’auto’, and the current heuristic checks that the TERM environment variable exists and is not empty or dumb, and that ’isatty(stderr)’ holds.

The environment variable OCAML_COLOR is considered if -color is not provided. Its values are auto/always/never as above.

-compat-32
Check that the generated bytecode executable can run on 32-bit platforms and signal an error if it cannot. This is useful when compiling bytecode on a 64-bit machine.
-config
Print the version number of ocamlc and a detailed summary of its configuration, then exit.
-custom
Link in “custom runtime” mode. In the default linking mode, the linker produces bytecode that is intended to be executed with the shared runtime system, ocamlrun. In the custom runtime mode, the linker produces an output file that contains both the runtime system and the bytecode for the program. The resulting file is larger, but it can be executed directly, even if the ocamlrun command is not installed. Moreover, the “custom runtime” mode enables static linking of OCaml code with user-defined C functions, as described in chapter 19.
Unix:   Never use the strip command on executables produced by ocamlc -custom, this would remove the bytecode part of the executable.
Unix:   Security warning: never set the “setuid” or “setgid” bits on executables produced by ocamlc -custom, this would make them vulnerable to attacks.
-dllib -llibname
Arrange for the C shared library dlllibname.so (dlllibname.dll under Windows) to be loaded dynamically by the run-time system ocamlrun at program start-up time.
-dllpath dir
Adds the directory dir to the run-time search path for shared C libraries. At link-time, shared libraries are searched in the standard search path (the one corresponding to the -I option). The -dllpath option simply stores dir in the produced executable file, where ocamlrun can find it and use it as described in section 10.3.
-for-pack module-path
Generate an object file (.cmo) that can later be included as a sub-module (with the given access path) of a compilation unit constructed with -pack. For instance, ocamlc -for-pack P -c A.ml will generate a..cmo that can later be used with ocamlc -pack -o P.cmo a.cmo. Note: you can still pack a module that was compiled without -for-pack but in this case exceptions will be printed with the wrong names.
-g
Add debugging information while compiling and linking. This option is required in order to be able to debug the program with ocamldebug (see chapter 16), and to produce stack backtraces when the program terminates on an uncaught exception (see section 10.2).
-i
Cause the compiler to print all defined names (with their inferred types or their definitions) when compiling an implementation (.ml file). No compiled files (.cmo and .cmi files) are produced. This can be useful to check the types inferred by the compiler. Also, since the output follows the syntax of interfaces, it can help in writing an explicit interface (.mli file) for a file: just redirect the standard output of the compiler to a .mli file, and edit that file to remove all declarations of unexported names.
-I directory
Add the given directory to the list of directories searched for compiled interface files (.cmi), compiled object code files .cmo, libraries (.cma) and C libraries specified with -cclib -lxxx. By default, the current directory is searched first, then the standard library directory. Directories added with -I are searched after the current directory, in the order in which they were given on the command line, but before the standard library directory. See also option -nostdlib.

If the given directory starts with +, it is taken relative to the standard library directory. For instance, -I +labltk adds the subdirectory labltk of the standard library to the search path.

-impl filename
Compile the file filename as an implementation file, even if its extension is not .ml.
-intf filename
Compile the file filename as an interface file, even if its extension is not .mli.
-intf-suffix string
Recognize file names ending with string as interface files (instead of the default .mli).
-labels
Labels are not ignored in types, labels may be used in applications, and labelled parameters can be given in any order. This is the default.
-linkall
Force all modules contained in libraries to be linked in. If this flag is not given, unreferenced modules are not linked in. When building a library (option -a), setting the -linkall option forces all subsequent links of programs involving that library to link all the modules contained in the library. When compiling a module (option -c), setting the -linkall option ensures that this module will always be linked if it is put in a library and this library is linked.
-make-runtime
Build a custom runtime system (in the file specified by option -o) incorporating the C object files and libraries given on the command line. This custom runtime system can be used later to execute bytecode executables produced with the ocamlc -use-runtime runtime-name option. See section 19.1.6 for more information.
-no-alias-deps
Do not record dependencies for module aliases. See section 7.13 for more information.
-no-app-funct
Deactivates the applicative behaviour of functors. With this option, each functor application generates new types in its result and applying the same functor twice to the same argument yields two incompatible structures.
-noassert
Do not compile assertion checks. Note that the special form assert false is always compiled because it is typed specially. This flag has no effect when linking already-compiled files.
-noautolink
When linking .cmalibraries, ignore -custom, -cclib and -ccopt options potentially contained in the libraries (if these options were given when building the libraries). This can be useful if a library contains incorrect specifications of C libraries or C options; in this case, during linking, set -noautolink and pass the correct C libraries and options on the command line.
-nolabels
Ignore non-optional labels in types. Labels cannot be used in applications, and parameter order becomes strict.
-nostdlib
Do not include the standard library directory in the list of directories searched for compiled interface files (.cmi), compiled object code files (.cmo), libraries (.cma), and C libraries specified with -cclib -lxxx. See also option -I.
-o exec-file
Specify the name of the output file produced by the compiler. The default output name is a.out under Unix and camlprog.exe under Windows. If the -a option is given, specify the name of the library produced. If the -pack option is given, specify the name of the packed object file produced. If the -output-obj option is given, specify the name of the output file produced. If the -c option is given, specify the name of the object file produced for the next source file that appears on the command line.
-opaque
When the native compiler compiles an implementation, by default it produces a .cmx file containing information for cross-module optimization. It also expects .cmx files to be present for the dependencies of the currently compiled source, and uses them for optimization. Since OCaml 4.03, the compiler will emit a warning if it is unable to locate the .cmx file of one of those dependencies.

The -opaque option, available since 4.04, disables cross-module optimization information for the currently compiled unit. When compiling .mli interface, using -opaque marks the compiled .cmi interface so that subsequent compilations of modules that depend on it will not rely on the corresponding .cmx file, nor warn if it is absent. When the native compiler compiles a .ml implementation, using -opaque generates a .cmx that does not contain any cross-module optimization information.

Using this option may degrade the quality of generated code, but it reduces compilation time, both on clean and incremental builds. Indeed, with the native compiler, when the implementation of a compilation unit changes, all the units that depend on it may need to be recompiled – because the cross-module information may have changed. If the compilation unit whose implementation changed was compiled with -opaque, no such recompilation needs to occur. This option can thus be used, for example, to get faster edit-compile-test feedback loops.

-open Module
Opens the given module before processing the interface or implementation files. If several -open options are given, they are processed in order, just as if the statements open! Module1;; ... open! ModuleN;; were added at the top of each file.
-output-obj
Cause the linker to produce a C object file instead of a bytecode executable file. This is useful to wrap OCaml code as a C library, callable from any C program. See chapter 19, section 19.7.5. The name of the output object file must be set with the -o option. This option can also be used to produce a C source file (.c extension) or a compiled shared/dynamic library (.so extension, .dll under Windows).
-pack
Build a bytecode object file (.cmo file) and its associated compiled interface (.cmi) that combines the object files given on the command line, making them appear as sub-modules of the output .cmo file. The name of the output .cmo file must be given with the -o option. For instance,
        ocamlc -pack -o p.cmo a.cmo b.cmo c.cmo
generates compiled files p.cmo and p.cmi describing a compilation unit having three sub-modules A, B and C, corresponding to the contents of the object files a.cmo, b.cmo and c.cmo. These contents can be referenced as P.A, P.B and P.C in the remainder of the program.
-plugin plugin
Dynamically load the code of the given plugin (a .cmo, .cma or .cmxs file) in the compiler. plugin must exist in the same kind of code as the compiler (ocamlc.byte must load bytecode plugins, while ocamlc.opt must load native code plugins), and extension adaptation is done automatically for .cma files (to .cmxs files if the compiler is compiled in native code).
-pp command
Cause the compiler to call the given command as a preprocessor for each source file. The output of command is redirected to an intermediate file, which is compiled. If there are no compilation errors, the intermediate file is deleted afterwards.
-ppx command
After parsing, pipe the abstract syntax tree through the preprocessor command. The module Ast_mapper, described in chapter 25: Ast_mapper , implements the external interface of a preprocessor.
-principal
Check information path during type-checking, to make sure that all types are derived in a principal way. When using labelled arguments and/or polymorphic methods, this flag is required to ensure future versions of the compiler will be able to infer types correctly, even if internal algorithms change. All programs accepted in -principal mode are also accepted in the default mode with equivalent types, but different binary signatures, and this may slow down type checking; yet it is a good idea to use it once before publishing source code.
-rectypes
Allow arbitrary recursive types during type-checking. By default, only recursive types where the recursion goes through an object type are supported.Note that once you have created an interface using this flag, you must use it again for all dependencies.
-runtime-variant suffix
Add the suffix string to the name of the runtime library used by the program. Currently, only one such suffix is supported: d, and only if the OCaml compiler was configured with option -with-debug-runtime. This suffix gives the debug version of the runtime, which is useful for debugging pointer problems in low-level code such as C stubs.
-safe-string
Enforce the separation between types string and bytes, thereby making strings read-only. This will become the default in a future version of OCaml.
-short-paths
When a type is visible under several module-paths, use the shortest one when printing the type’s name in inferred interfaces and error and warning messages. Identifier names starting with an underscore _ or containing double underscores __ incur a penalty of +10 when computing their length.
-strict-sequence
Force the left-hand part of each sequence to have type unit.
-strict-formats
Reject invalid formats that were accepted in legacy format implementations. You should use this flag to detect and fix such invalid formats, as they will be rejected by future OCaml versions.
-thread
Compile or link multithreaded programs, in combination with the system threads library described in chapter 29.
-unboxed-types
When a type is unboxable (i.e. a record with a single argument or a concrete datatype with a single constructor of one argument) it will be unboxed unless annotated with [@@ocaml.boxed].
-no-unboxed-types
When a type is unboxable it will be boxed unless annotated with [@@ocaml.unboxed]. This is the default.
-unsafe
Turn bound checking off for array and string accesses (the v.(i) and s.[i] constructs). Programs compiled with -unsafe are therefore slightly faster, but unsafe: anything can happen if the program accesses an array or string outside of its bounds. Additionally, turn off the check for zero divisor in integer division and modulus operations. With -unsafe, an integer division (or modulus) by zero can halt the program or continue with an unspecified result instead of raising a Division_by_zero exception.
-unsafe-string
Identify the types string and bytes, thereby making strings writable. For reasons of backward compatibility, this is the default setting for the moment, but this will change in a future version of OCaml.
-use-runtime runtime-name
Generate a bytecode executable file that can be executed on the custom runtime system runtime-name, built earlier with ocamlc -make-runtime runtime-name. See section 19.1.6 for more information.
-v
Print the version number of the compiler and the location of the standard library directory, then exit.
-verbose
Print all external commands before they are executed, in particular invocations of the C compiler and linker in -custom mode. Useful to debug C library problems.
-vmthread
Compile or link multithreaded programs, in combination with the VM-level threads library described in chapter 29.
-version or -vnum
Print the version number of the compiler in short form (e.g. 3.11.0), then exit.
-w warning-list
Enable, disable, or mark as fatal the warnings specified by the argument warning-list. Each warning can be enabled or disabled, and each warning can be fatal or non-fatal. If a warning is disabled, it isn’t displayed and doesn’t affect compilation in any way (even if it is fatal). If a warning is enabled, it is displayed normally by the compiler whenever the source code triggers it. If it is enabled and fatal, the compiler will also stop with an error after displaying it.

The warning-list argument is a sequence of warning specifiers, with no separators between them. A warning specifier is one of the following:

+num
Enable warning number num.
-num
Disable warning number num.
@num
Enable and mark as fatal warning number num.
+num1..num2
Enable warnings in the given range.
-num1..num2
Disable warnings in the given range.
@num1..num2
Enable and mark as fatal warnings in the given range.
+letter
Enable the set of warnings corresponding to letter. The letter may be uppercase or lowercase.
-letter
Disable the set of warnings corresponding to letter. The letter may be uppercase or lowercase.
@letter
Enable and mark as fatal the set of warnings corresponding to letter. The letter may be uppercase or lowercase.
uppercase-letter
Enable the set of warnings corresponding to uppercase-letter.
lowercase-letter
Disable the set of warnings corresponding to lowercase-letter.

Warning numbers and letters which are out of the range of warnings that are currently defined are ignored. The warnings are as follows.

1
Suspicious-looking start-of-comment mark.
2
Suspicious-looking end-of-comment mark.
3
Deprecated feature.
4
Fragile pattern matching: matching that will remain complete even if additional constructors are added to one of the variant types matched.
5
Partially applied function: expression whose result has function type and is ignored.
6
Label omitted in function application.
7
Method overridden.
8
Partial match: missing cases in pattern-matching.
9
Missing fields in a record pattern.
10
Expression on the left-hand side of a sequence that doesn’t have type unit (and that is not a function, see warning number 5).
11
Redundant case in a pattern matching (unused match case).
12
Redundant sub-pattern in a pattern-matching.
13
Instance variable overridden.
14
Illegal backslash escape in a string constant.
15
Private method made public implicitly.
16
Unerasable optional argument.
17
Undeclared virtual method.
18
Non-principal type.
19
Type without principality.
20
Unused function argument.
21
Non-returning statement.
22
Preprocessor warning.
23
Useless record with clause.
24
Bad module name: the source file name is not a valid OCaml module name.
26
Suspicious unused variable: unused variable that is bound with let or as, and doesn’t start with an underscore (_) character.
27
Innocuous unused variable: unused variable that is not bound with let nor as, and doesn’t start with an underscore (_) character.
28
Wildcard pattern given as argument to a constant constructor.
29
Unescaped end-of-line in a string constant (non-portable code).
30
Two labels or constructors of the same name are defined in two mutually recursive types.
31
A module is linked twice in the same executable.
32
Unused value declaration.
33
Unused open statement.
34
Unused type declaration.
35
Unused for-loop index.
36
Unused ancestor variable.
37
Unused constructor.
38
Unused extension constructor.
39
Unused rec flag.
40
Constructor or label name used out of scope.
41
Ambiguous constructor or label name.
42
Disambiguated constructor or label name (compatibility warning).
43
Nonoptional label applied as optional.
44
Open statement shadows an already defined identifier.
45
Open statement shadows an already defined label or constructor.
46
Error in environment variable.
47
Illegal attribute payload.
48
Implicit elimination of optional arguments.
49
Absent cmi file when looking up module alias.
50
Unexpected documentation comment.
51
Warning on non-tail calls if @tailcall present.
52 (see 8.5.1)
Fragile constant pattern.
53
Attribute cannot appear in this context
54
Attribute used more than once on an expression
55
Inlining impossible
56
Unreachable case in a pattern-matching (based on type information).
57 (see 8.5.2)
Ambiguous or-pattern variables under guard
58
Missing cmx file
59
Assignment to non-mutable value
60
Unused module declaration
A
all warnings
C
warnings 1, 2.
D
Alias for warning 3.
E
Alias for warning 4.
F
Alias for warning 5.
K
warnings 32, 33, 34, 35, 36, 37, 38, 39.
L
Alias for warning 6.
M
Alias for warning 7.
P
Alias for warning 8.
R
Alias for warning 9.
S
Alias for warning 10.
U
warnings 11, 12.
V
Alias for warning 13.
X
warnings 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 30.
Y
Alias for warning 26.
Z
Alias for warning 27.

The default setting is -w +a-4-6-7-9-27-29-32..39-41..42-44-45-48-50. It is displayed by ocamlc -help. Note that warnings 5 and 10 are not always triggered, depending on the internals of the type checker.

-warn-error warning-list
Mark as fatal the warnings specified in the argument warning-list. The compiler will stop with an error when one of these warnings is emitted. The warning-list has the same meaning as for the -w option: a + sign (or an uppercase letter) marks the corresponding warnings as fatal, a - sign (or a lowercase letter) turns them back into non-fatal warnings, and a @ sign both enables and marks as fatal the corresponding warnings.

Note: it is not recommended to use warning sets (i.e. letters) as arguments to -warn-error in production code, because this can break your build when future versions of OCaml add some new warnings.

The default setting is -warn-error -a+31 (only warning 31 is fatal).

-warn-help
Show the description of all available warning numbers.
-where
Print the location of the standard library, then exit.
- file
Process file as a file name, even if it starts with a dash (-) character.
-help or --help
Display a short usage summary and exit.
Contextual control of command-line options

The compiler command line can be modified “from the outside” with the following mechanisms. These are experimental and subject to change. They should be used only for experimental and development work, not in released packages.

OCAMLPARAM (environment variable)
Arguments that will be inserted before or after the arguments from the command line.
ocaml_compiler_internal_params (file in the stdlib directory)
A mapping of file names to lists of arguments that will be added to the command line (and OCAMLPARAM) arguments.
OCAML_FLEXLINK (environment variable)
Alternative executable to use on native Windows for flexlink instead of the configured value. Primarily used for bootstrapping.

8.3  Modules and the file system

This short section is intended to clarify the relationship between the names of the modules corresponding to compilation units and the names of the files that contain their compiled interface and compiled implementation.

The compiler always derives the module name by taking the capitalized base name of the source file (.ml or .mli file). That is, it strips the leading directory name, if any, as well as the .ml or .mli suffix; then, it set the first letter to uppercase, in order to comply with the requirement that module names must be capitalized. For instance, compiling the file mylib/misc.ml provides an implementation for the module named Misc. Other compilation units may refer to components defined in mylib/misc.ml under the names Misc.name; they can also do open Misc, then use unqualified names name.

The .cmi and .cmo files produced by the compiler have the same base name as the source file. Hence, the compiled files always have their base name equal (modulo capitalization of the first letter) to the name of the module they describe (for .cmi files) or implement (for .cmo files).

When the compiler encounters a reference to a free module identifier Mod, it looks in the search path for a file named Mod.cmi or mod.cmi and loads the compiled interface contained in that file. As a consequence, renaming .cmi files is not advised: the name of a .cmi file must always correspond to the name of the compilation unit it implements. It is admissible to move them to another directory, if their base name is preserved, and the correct -I options are given to the compiler. The compiler will flag an error if it loads a .cmi file that has been renamed.

Compiled bytecode files (.cmo files), on the other hand, can be freely renamed once created. That’s because the linker never attempts to find by itself the .cmo file that implements a module with a given name: it relies instead on the user providing the list of .cmo files by hand.

8.4  Common errors

This section describes and explains the most frequently encountered error messages.

Cannot find file filename
The named file could not be found in the current directory, nor in the directories of the search path. The filename is either a compiled interface file (.cmi file), or a compiled bytecode file (.cmo file). If filename has the format mod.cmi, this means you are trying to compile a file that references identifiers from module mod, but you have not yet compiled an interface for module mod. Fix: compile mod.mli or mod.ml first, to create the compiled interface mod.cmi.

If filename has the format mod.cmo, this means you are trying to link a bytecode object file that does not exist yet. Fix: compile mod.ml first.

If your program spans several directories, this error can also appear because you haven’t specified the directories to look into. Fix: add the correct -I options to the command line.

Corrupted compiled interface filename
The compiler produces this error when it tries to read a compiled interface file (.cmi file) that has the wrong structure. This means something went wrong when this .cmi file was written: the disk was full, the compiler was interrupted in the middle of the file creation, and so on. This error can also appear if a .cmi file is modified after its creation by the compiler. Fix: remove the corrupted .cmi file, and rebuild it.
This expression has type t1, but is used with type t2
This is by far the most common type error in programs. Type t1 is the type inferred for the expression (the part of the program that is displayed in the error message), by looking at the expression itself. Type t2 is the type expected by the context of the expression; it is deduced by looking at how the value of this expression is used in the rest of the program. If the two types t1 and t2 are not compatible, then the error above is produced.

In some cases, it is hard to understand why the two types t1 and t2 are incompatible. For instance, the compiler can report that “expression of type foo cannot be used with type foo”, and it really seems that the two types foo are compatible. This is not always true. Two type constructors can have the same name, but actually represent different types. This can happen if a type constructor is redefined. Example:

        type foo = A | B
        let f = function A -> 0 | B -> 1
        type foo = C | D
        f C

This result in the error message “expression C of type foo cannot be used with type foo”.

The type of this expression, t, contains type variables that cannot be generalized
Type variables ('a, 'b, …) in a type t can be in either of two states: generalized (which means that the type t is valid for all possible instantiations of the variables) and not generalized (which means that the type t is valid only for one instantiation of the variables). In a let binding let name = expr, the type-checker normally generalizes as many type variables as possible in the type of expr. However, this leads to unsoundness (a well-typed program can crash) in conjunction with polymorphic mutable data structures. To avoid this, generalization is performed at let bindings only if the bound expression expr belongs to the class of “syntactic values”, which includes constants, identifiers, functions, tuples of syntactic values, etc. In all other cases (for instance, expr is a function application), a polymorphic mutable could have been created and generalization is therefore turned off for all variables occurring in contravariant or non-variant branches of the type. For instance, if the type of a non-value is 'a list the variable is generalizable (list is a covariant type constructor), but not in 'a list -> 'a list (the left branch of -> is contravariant) or 'a ref (ref is non-variant).

Non-generalized type variables in a type cause no difficulties inside a given structure or compilation unit (the contents of a .ml file, or an interactive session), but they cannot be allowed inside signatures nor in compiled interfaces (.cmi file), because they could be used inconsistently later. Therefore, the compiler flags an error when a structure or compilation unit defines a value name whose type contains non-generalized type variables. There are two ways to fix this error:

Reference to undefined global mod
This error appears when trying to link an incomplete or incorrectly ordered set of files. Either you have forgotten to provide an implementation for the compilation unit named mod on the command line (typically, the file named mod.cmo, or a library containing that file). Fix: add the missing .ml or .cmo file to the command line. Or, you have provided an implementation for the module named mod, but it comes too late on the command line: the implementation of mod must come before all bytecode object files that reference mod. Fix: change the order of .ml and .cmo files on the command line.

Of course, you will always encounter this error if you have mutually recursive functions across modules. That is, function Mod1.f calls function Mod2.g, and function Mod2.g calls function Mod1.f. In this case, no matter what permutations you perform on the command line, the program will be rejected at link-time. Fixes:

The external function f is not available
This error appears when trying to link code that calls external functions written in C. As explained in chapter 19, such code must be linked with C libraries that implement the required f C function. If the C libraries in question are not shared libraries (DLLs), the code must be linked in “custom runtime” mode. Fix: add the required C libraries to the command line, and possibly the -custom option.

8.5  Warning reference

This section describes and explains in detail some warnings:

8.5.1  Warning 52: fragile constant pattern

Some constructors, such as the exception constructors Failure and Invalid_argument, take as parameter a string value holding a text message intended for the user.

These text messages are usually not stable over time: call sites building these constructors may refine the message in a future version to make it more explicit, etc. Therefore, it is dangerous to match over the precise value of the message. For example, until OCaml 4.02, Array.iter2 would raise the exception

  Invalid_argument "arrays must have the same length"

Since 4.03 it raises the more helpful message

  Invalid_argument "Array.iter2: arrays must have the same length"

but this means that any code of the form

  try ...
  with Invalid_argument "arrays must have the same length" -> ...

is now broken and may suffer from uncaught exceptions.

Warning 52 is there to prevent users from writing such fragile code in the first place. It does not occur on every matching on a literal string, but only in the case in which library authors expressed their intent to possibly change the constructor parameter value in the future, by using the attribute ocaml.warn_on_literal_pattern (see the manual section on builtin attributes in 7.18.1):

  type t =
    | Foo of string [@ocaml.warn_on_literal_pattern]
    | Bar of string

  let no_warning = function
    | Bar "specific value" -> 0
    | _ -> 1

  let warning = function
    | Foo "specific value" -> 0
    | _ -> 1

>    | Foo "specific value" -> 0
>          ^^^^^^^^^^^^^^^^
> Warning 52: Code should not depend on the actual values of
> this constructor's arguments. They are only for information
> and may change in future versions. (See manual section 8.5)

In particular, all built-in exceptions with a string argument have this attribute set: Invalid_argument, Failure, Sys_error will all raise this warning if you match for a specific string argument.

If your code raises this warning, you should not change the way you test for the specific string to avoid the warning (for example using a string equality inside the right-hand-side instead of a literal pattern), as your code would remain fragile. You should instead enlarge the scope of the pattern by matching on all possible values.

let warning = function
  | Foo _ -> 0
  | _ -> 1

This may require some care: if the scrutinee may return several different cases of the same pattern, or raise distinct instances of the same exception, you may need to modify your code to separate those several cases.

For example,

try (int_of_string count_str, bool_of_string choice_str) with
  | Failure "int_of_string" -> (0, true)
  | Failure "bool_of_string" -> (-1, false)

should be rewritten into more atomic tests. For example, using the exception patterns documented in Section 7.21, one can write:

match int_of_string count_str with
  | exception (Failure _) -> (0, true)
  | count ->
    begin match bool_of_string choice_str with
    | exception (Failure _) -> (-1, false)
    | choice -> (count, choice)
    end

The only case where that transformation is not possible is if a given function call may raises distinct exceptions with the same constructor but different string values. In this case, you will have to check for specific string values. This is dangerous API design and it should be discouraged: it’s better to define more precise exception constructors than store useful information in strings.

8.5.2  Warning 57: Ambiguous or-pattern variables under guard

The semantics of or-patterns in OCaml is specified with a left-to-right bias: a value v matches the pattern p | q if it matches p or q, but if it matches both, the environment captured by the match is the environment captured by p, never the one captured by q.

While this property is generally intuitive, there is at least one specific case where a different semantics might be expected. Consider a pattern followed by a when-guard: | p when g -> e, for example:

     | ((Const x, _) | (_, Const x)) when is_neutral x -> branch

The semantics is clear: match the scrutinee against the pattern, if it matches, test the guard, and if the guard passes, take the branch. In particular, consider the input (Const a, Const b), where a fails the test is_neutral a, while b passes the test is_neutral b. With the left-to-right semantics, the clause above is not taken by its input: matching (Const a, Const b) against the or-pattern succeeds in the left branch, it returns the environment x -> a, and then the guard is_neutral a is tested and fails, the branch is not taken.

However, another semantics may be considered more natural here: any pair that has one side passing the test will take the branch. With this semantics the previous code fragment would be equivalent to

     | (Const x, _) when is_neutral x -> branch
     | (_, Const x) when is_neutral x -> branch

This is not the semantics adopted by OCaml.

Warning 57 is dedicated to these confusing cases where the specified left-to-right semantics is not equivalent to a non-deterministic semantics (any branch can be taken) relatively to a specific guard. More precisely, it warns when guard uses “ambiguous” variables, that are bound to different parts of the scrutinees by different sides of a or-pattern.


Previous Up Next ocaml-doc-4.05/ocaml.html/spacetime.html0000644000175000017500000002011413131636457017143 0ustar mehdimehdi Chapter 21  Memory profiling with Spacetime Previous Up Next

Chapter 21  Memory profiling with Spacetime

21.1  Overview

Spacetime is the name given to functionality within the OCaml compiler that provides for accurate profiling of the memory behaviour of a program. Using Spacetime it is possible to determine the source of memory leaks and excess memory allocation quickly and easily. Excess allocation slows programs down both by imposing a higher load on the garbage collector and reducing the cache locality of the program’s code. Spacetime provides full backtraces for every allocation that occurred on the OCaml heap during the lifetime of the program including those in C stubs.

Spacetime only analyses the memory behaviour of a program with respect to the OCaml heap allocators and garbage collector. It does not analyse allocation on the C heap. Spacetime does not affect the memory behaviour of a program being profiled with the exception of any change caused by the overhead of profiling (see section 21.3)—for example the program running slower might cause it to allocate less memory in total.

Spacetime is currently only available for x86-64 targets and has only been tested on Linux systems (although it is expected to work on most modern Unix-like systems and provision has been made for running under Windows). It is expected that the set of supported platforms will be extended in the future.

21.2  How to use it

21.2.1  Building

To use Spacetime it is necessary to use an OCaml compiler that was configured with the -spacetime option. It is not possible to select Spacetime on a per-source-file basis or for a subset of files in a project; all files involved in the executable being profiled must be built with the Spacetime compiler. Only native code compilation is supported (not bytecode).

If the libunwind library is not available on the system then it will not be possible for Spacetime to profile allocations occurring within C stubs. If the libunwind library is available but in an unusual location then that location may be specified to the configure script using the -libunwinddir option (or alternatively, using separate -libunwindinclude and -libunwindlib options).

OPAM switches will be provided for Spacetime-configured compilers.

Once the appropriate compiler has been selected the program should be built as normal (ensuring that all files are built with the Spacetime compiler—there is currently no protection to ensure this is the case, but it is essential). For many uses it will not be necessary to change the code of the program to use the profiler.

Spacetime-configured compilers run slower and occupy more memory than their counterparts. It is hoped this will be fixed in the future as part of improved cross compilation support.

21.2.2  Running

Programs built with Spacetime instrumentation have a dependency on the libunwind library unless that was unavailable at configure time or the -disable-libunwind option was specified (see section 21.3).

Setting the OCAML_SPACETIME_INTERVAL environment variable to an integer representing a number of milliseconds before running a program built with Spacetime will cause memory profiling to be in operation when the program is started. The contents of the OCaml heap will be sampled each time the number of milliseconds that the program has spent executing since the last sample exceeds the given number. (Note that the time base is combined user plus system time—not wall clock time. This peculiarity may be changed in future.)

The program being profiled must exit normally or be caused to exit using the SIGINT signal (e.g. by pressing Ctrl+C). When the program exits files will be written in the directory that was the working directory when the program was started. One Spacetime file will be written for each process that was involved, indexed by process ID; there will normally only be one such. The Spacetime files may be substantial. The directory to which they are written may be overridden by setting the OCAML_SPACETIME_SNAPSHOT_DIR environment variable before the program is started.

Instead of using the automatic snapshot facility described above it is also possible to manually control Spacetime profiling. (The environment variables OCAML_SPACETIME_INTERVAL and OCAML_SPACETIME_SNAPSHOT_DIR are then not relevant.) Full documentation as regards this method of profiling is provided in the standard library documentation (section 24) for the Spacetime module.

21.2.3  Analysis

The compiler distribution does not itself provide the facility for analysing Spacetime output files; this is left to external tools. The first such tool will appear in OPAM as a package called prof_spacetime. That tool will provide interactive graphical and terminal-based visualisation of the results of profiling.

21.3  Runtime overhead

The runtime overhead imposed by Spacetime varies considerably depending on the particular program being profiled. The overhead may be as low as ten percent—but more usually programs should be expected to run at perhaps a third or quarter of their normal speed. It is expected that this overhead will be reduced in future versions of the compiler.

Execution speed of instrumented programs may be increased by using a compiler configured with the -disable-libunwind option. This prevents collection of profiling information from C stubs.

Programs running with Spacetime instrumentation consume significantly more memory than their non-instrumented counterparts. It is expected that this memory overhead will also be reduced in the future.

21.4  For developers

The compiler distribution provides an “otherlibs” library called raw_spacetime_lib for decoding Spacetime files. This library provides facilities to read not only memory profiling information but also the full dynamic call graph of the profiled program which is written into Spacetime output files.

A library package spacetime_lib will be provided in OPAM to provide an interface for decoding profiling information at a higher level than that provided by raw_spacetime_lib.


Previous Up Next ocaml-doc-4.05/ocaml.html/libgraph.gif0000644000175000017500000000414513061513177016563 0ustar mehdimehdiGIF87a!V,!Vڋ޼H扦ʶ L ĢL*̦ JԪjܮ N (8HXhx)9IYiy *:JZjzJ ;K[k{*Л++ l 컻\0܊*=m}͜-9P|| =@|\.N,M/_Ύ<^S6[ b+:" rXnȑ<<2ʕ,[| 3̙4kڼiD#ΝhL)'С\D=(ҥU1}T)ԩJ&R*֭H$rS+ر=,=,ڵ:t};-ܹڍ{7 z70 _ l8Ċ7`8rD g叙c ys^Ӊ畝G;sZi\E 6*WSnn*v&M'pĮz`9 yDZmbvNm?7n>omwlQWd(ee]NHa^anaz9 k٭W!(] .b5i5Ruf9Bd=2cA"5bEuaI`M_Q4^Ut]YҴ%]]6xRܘdh!_XznXlyDE~ڦ*NE5iuʧ_}E\:1ƹC&FA*zڪ t~w7 ŭS ۖB _{C iV-GO4ƀfųKiGy;C?;kMf3oMn7ik20ۯ''jvEl-q-,!4+%t*)po˧\ <  П.t" *ӛH.gR ֗xMd\#L6%i,vkoc]N w6tCyط#{7}3rȅ"8w#2ʑCWs_.\x>3nG'u-+no jjMtYN}s>޳_K>=@{Gk o$"[~̋t/$[#c=|cTxlF}G=>#Jj0~4O/^oV?P(!ZZaqk խS `` dA]pse@ b椆yOWæq6QC6E @cT&/Z"b x+jth BF:1k[ؑ:&l>@ r"z3KCyHdv(n&;<~Nv,%IYTz28lec&WAg\P+M6NR`T%/ei7fr10L+ļ1@˲%l,i홡Ħ}YLm~3#9jT7MsB3r,'yMaQg:Ϲ|%? ЂvS L۴yQ 5C#:}~jͦDPgZT-GZQ32I)҄t48=R iCЕơpS*Z7|+O{TD-UgҚfԨE*I6%Pծ4p-Pְ^Ek*8uvkRR&b:լ&VOx)e754Έ FYG~k[ f+qn[2l-">p]%v}j''q͝jHk)3mLGYˑNݞ\W<@$6<r}wnkg( i]oWY̖%-Ia7ݝ5.c17Vع\EሽHg#pD V$T6s@X"" 걉[JK$x *5N \lX:>gge&` iNx*9I dW9,\LCf@3LJ"7bhGE*4lLkzӜ? PzԤ.OTzլn_ XzִfJ;ocaml-doc-4.05/ocaml.html/compunit.html0000644000175000017500000001101013131636457017022 0ustar mehdimehdi 6.12  Compilation units Previous Up

6.12  Compilation units

unit-interface::= { specification  [;;] }  
 
unit-implementation::= [ module-items ]

Compilation units bridge the module system and the separate compilation system. A compilation unit is composed of two parts: an interface and an implementation. The interface contains a sequence of specifications, just as the inside of a sigend signature expression. The implementation contains a sequence of definitions and expressions, just as the inside of a structend module expression. A compilation unit also has a name unit-name, derived from the names of the files containing the interface and the implementation (see chapter 8 for more details). A compilation unit behaves roughly as the module definition

module unit-name : sig  unit-interface end = struct  unit-implementation end

A compilation unit can refer to other compilation units by their names, as if they were regular modules. For instance, if U is a compilation unit that defines a type t, other compilation units can refer to that type under the name U.t; they can also refer to U as a whole structure. Except for names of other compilation units, a unit interface or unit implementation must not have any other free variables. In other terms, the type-checking and compilation of an interface or implementation proceeds in the initial environment

name1 : sig  specification1 end …  namen : sig  specificationn end

where name1 …  namen are the names of the other compilation units available in the search path (see chapter 8 for more details) and specification1 …  specificationn are their respective interfaces.


Previous Up ocaml-doc-4.05/ocaml.html/lablexamples.html0000644000175000017500000007614113131636457017655 0ustar mehdimehdi Chapter 4  Labels and variants Previous Up Next

Chapter 4  Labels and variants

(Chapter written by Jacques Garrigue)



This chapter gives an overview of the new features in OCaml 3: labels, and polymorphic variants.

4.1  Labels

If you have a look at modules ending in Labels in the standard library, you will see that function types have annotations you did not have in the functions you defined yourself.

ListLabels.map;;
- : f:('a -> 'b) -> 'a list -> 'b list = <fun>
StringLabels.sub;;
- : string -> pos:int -> len:int -> string = <fun>

Such annotations of the form name: are called labels. They are meant to document the code, allow more checking, and give more flexibility to function application. You can give such names to arguments in your programs, by prefixing them with a tilde ~.

let f ~x ~y = x - y;;
val f : x:int -> y:int -> int = <fun>
let x = 3 and y = 2 in f ~x ~y;;
- : int = 1

When you want to use distinct names for the variable and the label appearing in the type, you can use a naming label of the form ~name:. This also applies when the argument is not a variable.

let f ~x:x1 ~y:y1 = x1 - y1;;
val f : x:int -> y:int -> int = <fun>
f ~x:3 ~y:2;;
- : int = 1

Labels obey the same rules as other identifiers in OCaml, that is you cannot use a reserved keyword (like in or to) as label.

Formal parameters and arguments are matched according to their respective labels1, the absence of label being interpreted as the empty label. This allows commuting arguments in applications. One can also partially apply a function on any argument, creating a new function of the remaining parameters.

let f ~x ~y = x - y;;
val f : x:int -> y:int -> int = <fun>
f ~y:2 ~x:3;;
- : int = 1
ListLabels.fold_left;;
- : f:('a -> 'b -> 'a) -> init:'a -> 'b list -> 'a = <fun>
ListLabels.fold_left [1;2;3] ~init:0 ~f:( + );;
- : int = 6
ListLabels.fold_left ~init:0;;
- : f:(int -> 'a -> int) -> 'a list -> int = <fun>

If several arguments of a function bear the same label (or no label), they will not commute among themselves, and order matters. But they can still commute with other arguments.

let hline ~x:x1 ~x:x2 ~y = (x1, x2, y);;
val hline : x:'a -> x:'b -> y:'c -> 'a * 'b * 'c = <fun>
hline ~x:3 ~y:2 ~x:5;;
- : int * int * int = (3, 5, 2)

As an exception to the above parameter matching rules, if an application is total (omitting all optional arguments), labels may be omitted. In practice, many applications are total, so that labels can often be omitted.

f 3 2;;
- : int = 1
ListLabels.map succ [1;2;3];;
- : int list = [2; 3; 4]

But beware that functions like ListLabels.fold_left whose result type is a type variable will never be considered as totally applied.

ListLabels.fold_left ( + ) 0 [1;2;3];;
Error: This expression has type int -> int -> int but an expression was expected of type 'a list

When a function is passed as an argument to a higher-order function, labels must match in both types. Neither adding nor removing labels are allowed.

let h g = g ~x:3 ~y:2;;
val h : (x:int -> y:int -> 'a) -> 'a = <fun>
h f;;
- : int = 1
h ( + ) ;;
Error: This expression has type int -> int -> int but an expression was expected of type x:int -> y:int -> 'a

Note that when you don’t need an argument, you can still use a wildcard pattern, but you must prefix it with the label.

h (fun ~x:_ ~y -> y+1);;
- : int = 3

4.1.1  Optional arguments

An interesting feature of labeled arguments is that they can be made optional. For optional parameters, the question mark ? replaces the tilde ~ of non-optional ones, and the label is also prefixed by ? in the function type. Default values may be given for such optional parameters.

let bump ?(step = 1) x = x + step;;
val bump : ?step:int -> int -> int = <fun>
bump 2;;
- : int = 3
bump ~step:3 2;;
- : int = 5

A function taking some optional arguments must also take at least one non-optional argument. The criterion for deciding whether an optional argument has been omitted is the non-labeled application of an argument appearing after this optional argument in the function type. Note that if that argument is labeled, you will only be able to eliminate optional arguments through the special case for total applications.

let test ?(x = 0) ?(y = 0) () ?(z = 0) () = (x, y, z);;
val test : ?x:int -> ?y:int -> unit -> ?z:int -> unit -> int * int * int = <fun>
test ();;
- : ?z:int -> unit -> int * int * int = <fun>
test ~x:2 () ~z:3 ();;
- : int * int * int = (2, 0, 3)

Optional parameters may also commute with non-optional or unlabeled ones, as long as they are applied simultaneously. By nature, optional arguments do not commute with unlabeled arguments applied independently.

test ~y:2 ~x:3 () ();;
- : int * int * int = (3, 2, 0)
test () () ~z:1 ~y:2 ~x:3;;
- : int * int * int = (3, 2, 1)
(test () ()) ~z:1 ;;
Error: This expression has type int * int * int This is not a function; it cannot be applied.

Here (test () ()) is already (0,0,0) and cannot be further applied.

Optional arguments are actually implemented as option types. If you do not give a default value, you have access to their internal representation, type 'a option = None | Some of 'a. You can then provide different behaviors when an argument is present or not.

let bump ?step x = match step with | None -> x * 2 | Some y -> x + y ;;
val bump : ?step:int -> int -> int = <fun>

It may also be useful to relay an optional argument from a function call to another. This can be done by prefixing the applied argument with ?. This question mark disables the wrapping of optional argument in an option type.

let test2 ?x ?y () = test ?x ?y () ();;
val test2 : ?x:int -> ?y:int -> unit -> int * int * int = <fun>
test2 ?x:None;;
- : ?y:int -> unit -> int * int * int = <fun>

4.1.2  Labels and type inference

While they provide an increased comfort for writing function applications, labels and optional arguments have the pitfall that they cannot be inferred as completely as the rest of the language.

You can see it in the following two examples.

let h' g = g ~y:2 ~x:3;;
val h' : (y:int -> x:int -> 'a) -> 'a = <fun>
h' f ;;
Error: This expression has type x:int -> y:int -> int but an expression was expected of type y:int -> x:int -> 'a
let bump_it bump x = bump ~step:2 x;;
val bump_it : (step:int -> 'a -> 'b) -> 'a -> 'b = <fun>
bump_it bump 1 ;;
Error: This expression has type ?step:int -> int -> int but an expression was expected of type step:int -> 'a -> 'b

The first case is simple: g is passed ~y and then ~x, but f expects ~x and then ~y. This is correctly handled if we know the type of g to be x:int -> y:int -> int in advance, but otherwise this causes the above type clash. The simplest workaround is to apply formal parameters in a standard order.

The second example is more subtle: while we intended the argument bump to be of type ?step:int -> int -> int, it is inferred as step:int -> int -> 'a. These two types being incompatible (internally normal and optional arguments are different), a type error occurs when applying bump_it to the real bump.

We will not try here to explain in detail how type inference works. One must just understand that there is not enough information in the above program to deduce the correct type of g or bump. That is, there is no way to know whether an argument is optional or not, or which is the correct order, by looking only at how a function is applied. The strategy used by the compiler is to assume that there are no optional arguments, and that applications are done in the right order.

The right way to solve this problem for optional parameters is to add a type annotation to the argument bump.

let bump_it (bump : ?step:int -> int -> int) x = bump ~step:2 x;;
val bump_it : (?step:int -> int -> int) -> int -> int = <fun>
bump_it bump 1;;
- : int = 3

In practice, such problems appear mostly when using objects whose methods have optional arguments, so that writing the type of object arguments is often a good idea.

Normally the compiler generates a type error if you attempt to pass to a function a parameter whose type is different from the expected one. However, in the specific case where the expected type is a non-labeled function type, and the argument is a function expecting optional parameters, the compiler will attempt to transform the argument to have it match the expected type, by passing None for all optional parameters.

let twice f (x : int) = f(f x);;
val twice : (int -> int) -> int -> int = <fun>
twice bump 2;;
- : int = 8

This transformation is coherent with the intended semantics, including side-effects. That is, if the application of optional parameters shall produce side-effects, these are delayed until the received function is really applied to an argument.

4.1.3  Suggestions for labeling

Like for names, choosing labels for functions is not an easy task. A good labeling is a labeling which

We explain here the rules we applied when labeling OCaml libraries.

To speak in an “object-oriented” way, one can consider that each function has a main argument, its object, and other arguments related with its action, the parameters. To permit the combination of functions through functionals in commuting label mode, the object will not be labeled. Its role is clear from the function itself. The parameters are labeled with names reminding of their nature or their role. The best labels combine nature and role. When this is not possible the role is to be preferred, since the nature will often be given by the type itself. Obscure abbreviations should be avoided.

ListLabels.map : f:('a -> 'b) -> 'a list -> 'b list
UnixLabels.write : file_descr -> buf:bytes -> pos:int -> len:int -> unit

When there are several objects of same nature and role, they are all left unlabeled.

ListLabels.iter2 : f:('a -> 'b -> 'c) -> 'a list -> 'b list -> unit

When there is no preferable object, all arguments are labeled.

BytesLabels.blit :
  src:bytes -> src_pos:int -> dst:bytes -> dst_pos:int -> len:int -> unit

However, when there is only one argument, it is often left unlabeled.

BytesLabels.create : int -> bytes

This principle also applies to functions of several arguments whose return type is a type variable, as long as the role of each argument is not ambiguous. Labeling such functions may lead to awkward error messages when one attempts to omit labels in an application, as we have seen with ListLabels.fold_left.

Here are some of the label names you will find throughout the libraries.

LabelMeaning
f:a function to be applied
pos:a position in a string, array or byte sequence
len:a length
buf:a byte sequence or string used as buffer
src:the source of an operation
dst:the destination of an operation
init:the initial value for an iterator
cmp:a comparison function, e.g. Pervasives.compare
mode:an operation mode or a flag list

All these are only suggestions, but keep in mind that the choice of labels is essential for readability. Bizarre choices will make the program harder to maintain.

In the ideal, the right function name with right labels should be enough to understand the function’s meaning. Since one can get this information with OCamlBrowser or the ocaml toplevel, the documentation is only used when a more detailed specification is needed.

4.2  Polymorphic variants

Variants as presented in section 1.4 are a powerful tool to build data structures and algorithms. However they sometimes lack flexibility when used in modular programming. This is due to the fact that every constructor is assigned to an unique type when defined and used. Even if the same name appears in the definition of multiple types, the constructor itself belongs to only one type. Therefore, one cannot decide that a given constructor belongs to multiple types, or consider a value of some type to belong to some other type with more constructors.

With polymorphic variants, this original assumption is removed. That is, a variant tag does not belong to any type in particular, the type system will just check that it is an admissible value according to its use. You need not define a type before using a variant tag. A variant type will be inferred independently for each of its uses.

Basic use

In programs, polymorphic variants work like usual ones. You just have to prefix their names with a backquote character `.

[`On; `Off];;
- : [> `Off | `On ] list = [`On; `Off]
`Number 1;;
- : [> `Number of int ] = `Number 1
let f = function `On -> 1 | `Off -> 0 | `Number n -> n;;
val f : [< `Number of int | `Off | `On ] -> int = <fun>
List.map f [`On; `Off];;
- : int list = [1; 0]

[>`Off|`On] list means that to match this list, you should at least be able to match `Off and `On, without argument. [<`On|`Off|`Number of int] means that f may be applied to `Off, `On (both without argument), or `Number n where n is an integer. The > and < inside the variant types show that they may still be refined, either by defining more tags or by allowing less. As such, they contain an implicit type variable. Because each of the variant types appears only once in the whole type, their implicit type variables are not shown.

The above variant types were polymorphic, allowing further refinement. When writing type annotations, one will most often describe fixed variant types, that is types that cannot be refined. This is also the case for type abbreviations. Such types do not contain < or >, but just an enumeration of the tags and their associated types, just like in a normal datatype definition.

type 'a vlist = [`Nil | `Cons of 'a * 'a vlist];;
type 'a vlist = [ `Cons of 'a * 'a vlist | `Nil ]
let rec map f : 'a vlist -> 'b vlist = function | `Nil -> `Nil | `Cons(a, l) -> `Cons(f a, map f l) ;;
val map : ('a -> 'b) -> 'a vlist -> 'b vlist = <fun>

Advanced use

Type-checking polymorphic variants is a subtle thing, and some expressions may result in more complex type information.

let f = function `A -> `C | `B -> `D | x -> x;;
val f : ([> `A | `B | `C | `D ] as 'a) -> 'a = <fun>
f `E;;
- : [> `A | `B | `C | `D | `E ] = `E

Here we are seeing two phenomena. First, since this matching is open (the last case catches any tag), we obtain the type [> `A | `B] rather than [< `A | `B] in a closed matching. Then, since x is returned as is, input and return types are identical. The notation as 'a denotes such type sharing. If we apply f to yet another tag `E, it gets added to the list.

let f1 = function `A x -> x = 1 | `B -> true | `C -> false let f2 = function `A x -> x = "a" | `B -> true ;;
val f1 : [< `A of int | `B | `C ] -> bool = <fun> val f2 : [< `A of string | `B ] -> bool = <fun>
let f x = f1 x && f2 x;;
val f : [< `A of string & int | `B ] -> bool = <fun>

Here f1 and f2 both accept the variant tags `A and `B, but the argument of `A is int for f1 and string for f2. In f’s type `C, only accepted by f1, disappears, but both argument types appear for `A as int & string. This means that if we pass the variant tag `A to f, its argument should be both int and string. Since there is no such value, f cannot be applied to `A, and `B is the only accepted input.

Even if a value has a fixed variant type, one can still give it a larger type through coercions. Coercions are normally written with both the source type and the destination type, but in simple cases the source type may be omitted.

type 'a wlist = [`Nil | `Cons of 'a * 'a wlist | `Snoc of 'a wlist * 'a];;
type 'a wlist = [ `Cons of 'a * 'a wlist | `Nil | `Snoc of 'a wlist * 'a ]
let wlist_of_vlist l = (l : 'a vlist :> 'a wlist);;
val wlist_of_vlist : 'a vlist -> 'a wlist = <fun>
let open_vlist l = (l : 'a vlist :> [> 'a vlist]);;
val open_vlist : 'a vlist -> [> 'a vlist ] = <fun>
fun x -> (x :> [`A|`B|`C]);;
- : [< `A | `B | `C ] -> [ `A | `B | `C ] = <fun>

You may also selectively coerce values through pattern matching.

let split_cases = function | `Nil | `Cons _ as x -> `A x | `Snoc _ as x -> `B x ;;
val split_cases : [< `Cons of 'a | `Nil | `Snoc of 'b ] -> [> `A of [> `Cons of 'a | `Nil ] | `B of [> `Snoc of 'b ] ] = <fun>

When an or-pattern composed of variant tags is wrapped inside an alias-pattern, the alias is given a type containing only the tags enumerated in the or-pattern. This allows for many useful idioms, like incremental definition of functions.

let num x = `Num x let eval1 eval (`Num x) = x let rec eval x = eval1 eval x ;;
val num : 'a -> [> `Num of 'a ] = <fun> val eval1 : 'a -> [< `Num of 'b ] -> 'b = <fun> val eval : [< `Num of 'a ] -> 'a = <fun>
let plus x y = `Plus(x,y) let eval2 eval = function | `Plus(x,y) -> eval x + eval y | `Num _ as x -> eval1 eval x let rec eval x = eval2 eval x ;;
val plus : 'a -> 'b -> [> `Plus of 'a * 'b ] = <fun> val eval2 : ('a -> int) -> [< `Num of int | `Plus of 'a * 'a ] -> int = <fun> val eval : ([< `Num of int | `Plus of 'a * 'a ] as 'a) -> int = <fun>

To make this even more comfortable, you may use type definitions as abbreviations for or-patterns. That is, if you have defined type myvariant = [`Tag1 of int | `Tag2 of bool], then the pattern #myvariant is equivalent to writing (`Tag1(_ : int) | `Tag2(_ : bool)).

Such abbreviations may be used alone,

let f = function | #myvariant -> "myvariant" | `Tag3 -> "Tag3";;
val f : [< `Tag1 of int | `Tag2 of bool | `Tag3 ] -> string = <fun>

or combined with with aliases.

let g1 = function `Tag1 _ -> "Tag1" | `Tag2 _ -> "Tag2";;
val g1 : [< `Tag1 of 'a | `Tag2 of 'b ] -> string = <fun>
let g = function | #myvariant as x -> g1 x | `Tag3 -> "Tag3";;
val g : [< `Tag1 of int | `Tag2 of bool | `Tag3 ] -> string = <fun>

4.2.1  Weaknesses of polymorphic variants

After seeing the power of polymorphic variants, one may wonder why they were added to core language variants, rather than replacing them.

The answer is twofold. One first aspect is that while being pretty efficient, the lack of static type information allows for less optimizations, and makes polymorphic variants slightly heavier than core language ones. However noticeable differences would only appear on huge data structures.

More important is the fact that polymorphic variants, while being type-safe, result in a weaker type discipline. That is, core language variants do actually much more than ensuring type-safety, they also check that you use only declared constructors, that all constructors present in a data-structure are compatible, and they enforce typing constraints to their parameters.

For this reason, you must be more careful about making types explicit when you use polymorphic variants. When you write a library, this is easy since you can describe exact types in interfaces, but for simple programs you are probably better off with core language variants.

Beware also that some idioms make trivial errors very hard to find. For instance, the following code is probably wrong but the compiler has no way to see it.

type abc = [`A | `B | `C] ;;
type abc = [ `A | `B | `C ]
let f = function | `As -> "A" | #abc -> "other" ;;
val f : [< `A | `As | `B | `C ] -> string = <fun>
let f : abc -> string = f ;;
val f : abc -> string = <fun>

You can avoid such risks by annotating the definition itself.

let f : abc -> string = function | `As -> "A" | #abc -> "other" ;;
Error: This pattern matches values of type [? `As ] but a pattern was expected which matches values of type abc The second variant type does not allow tag(s) `As

1
This correspond to the commuting label mode of Objective Caml 3.00 through 3.02, with some additional flexibility on total applications. The so-called classic mode (-nolabels options) is now deprecated for normal use.

Previous Up Next ocaml-doc-4.05/ocaml.html/ocamldoc.html0000644000175000017500000017715613131636457016775 0ustar mehdimehdi Chapter 15  The documentation generator (ocamldoc) Previous Up Next

Chapter 15  The documentation generator (ocamldoc)

This chapter describes OCamldoc, a tool that generates documentation from special comments embedded in source files. The comments used by OCamldoc are of the form (***) and follow the format described in section 15.2.

OCamldoc can produce documentation in various formats: HTML, LATEX, TeXinfo, Unix man pages, and dot dependency graphs. Moreover, users can add their own custom generators, as explained in section 15.3.

In this chapter, we use the word element to refer to any of the following parts of an OCaml source file: a type declaration, a value, a module, an exception, a module type, a type constructor, a record field, a class, a class type, a class method, a class value or a class inheritance clause.

15.1  Usage

15.1.1  Invocation

OCamldoc is invoked via the command ocamldoc, as follows:

        ocamldoc options sourcefiles

Options for choosing the output format

The following options determine the format for the generated documentation.

-html
Generate documentation in HTML default format. The generated HTML pages are stored in the current directory, or in the directory specified with the -d option. You can customize the style of the generated pages by editing the generated style.css file, or by providing your own style sheet using option -css-style. The file style.css is not generated if it already exists or if -css-style is used.
-latex
Generate documentation in LATEX default format. The generated LATEX document is saved in file ocamldoc.out, or in the file specified with the -o option. The document uses the style file ocamldoc.sty. This file is generated when using the -latex option, if it does not already exist. You can change this file to customize the style of your LATEX documentation.
-texi
Generate documentation in TeXinfo default format. The generated LATEX document is saved in file ocamldoc.out, or in the file specified with the -o option.
-man
Generate documentation as a set of Unix man pages. The generated pages are stored in the current directory, or in the directory specified with the -d option.
-dot
Generate a dependency graph for the toplevel modules, in a format suitable for displaying and processing by dot. The dot tool is available from http://www.research.att.com/sw/tools/graphviz/. The textual representation of the graph is written to the file ocamldoc.out, or to the file specified with the -o option. Use dot ocamldoc.out to display it.
-g file.cm[o,a,xs]
Dynamically load the given file, which defines a custom documentation generator. See section 15.4.1. This option is supported by the ocamldoc command (to load .cmo and .cma files) and by its native-code version ocamldoc.opt (to load .cmxs files). If the given file is a simple one and does not exist in the current directory, then ocamldoc looks for it in the custom generators default directory, and in the directories specified with optional -i options.
-customdir
Display the custom generators default directory.
-i directory
Add the given directory to the path where to look for custom generators.

General options

-d dir
Generate files in directory dir, rather than the current directory.
-dump file
Dump collected information into file. This information can be read with the -load option in a subsequent invocation of ocamldoc.
-hide modules
Hide the given complete module names in the generated documentation. modules is a list of complete module names separated by ’,’, without blanks. For instance: Pervasives,M2.M3.
-inv-merge-ml-mli
Reverse the precedence of implementations and interfaces when merging. All elements in implementation files are kept, and the -m option indicates which parts of the comments in interface files are merged with the comments in implementation files.
-keep-code
Always keep the source code for values, methods and instance variables, when available. The source code is always kept when a .ml file is given, but is by default discarded when a .mli is given. This option keeps the source code in all cases.
-load file
Load information from file, which has been produced by ocamldoc -dump. Several -load options can be given.
-m flags
Specify merge options between interfaces and implementations. (see section 15.1.2 for details). flags can be one or several of the following characters:
d
merge description
a
merge @author
v
merge @version
l
merge @see
s
merge @since
b
merge @before
o
merge @deprecated
p
merge @param
e
merge @raise
r
merge @return
A
merge everything
-no-custom-tags
Do not allow custom @-tags (see section 15.2.5).
-no-stop
Keep elements placed after/between the (**/**) special comment(s) (see section 15.2).
-o file
Output the generated documentation to file instead of ocamldoc.out. This option is meaningful only in conjunction with the -latex, -texi, or -dot options.
-pp command
Pipe sources through preprocessor command.
-impl filename
Process the file filename as an implementation file, even if its extension is not .ml.
-intf filename
Process the file filename as an interface file, even if its extension is not .mli.
-text filename
Process the file filename as a text file, even if its extension is not .txt.
-sort
Sort the list of top-level modules before generating the documentation.
-stars
Remove blank characters until the first asterisk (’*’) in each line of comments.
-t title
Use title as the title for the generated documentation.
-intro file
Use content of file as ocamldoc text to use as introduction (HTML, LATEX and TeXinfo only). For HTML, the file is used to create the whole index.html file.
-v
Verbose mode. Display progress information.
-version
Print version string and exit.
-vnum
Print short version number and exit.
-warn-error
Treat Ocamldoc warnings as errors.
-hide-warnings
Do not print OCamldoc warnings.
-help or --help
Display a short usage summary and exit.

Type-checking options

OCamldoc calls the OCaml type-checker to obtain type information. The following options impact the type-checking phase. They have the same meaning as for the ocamlc and ocamlopt commands.

-I directory
Add directory to the list of directories search for compiled interface files (.cmi files).
-nolabels
Ignore non-optional labels in types.
-rectypes
Allow arbitrary recursive types. (See the -rectypes option to ocamlc.)

Options for generating HTML pages

The following options apply in conjunction with the -html option:

-all-params
Display the complete list of parameters for functions and methods.
-charset charset
Add information about character encoding being charset (default is iso-8859-1).
-colorize-code
Colorize the OCaml code enclosed in [ ] and {[ ]}, using colors to emphasize keywords, etc. If the code fragments are not syntactically correct, no color is added.
-css-style filename
Use filename as the Cascading Style Sheet file.
-index-only
Generate only index files.
-short-functors
Use a short form to display functors:
module M : functor (A:Module) -> functor (B:Module2) -> sig .. end
is displayed as:
module M (A:Module) (B:Module2) : sig .. end

Options for generating LATEX files

The following options apply in conjunction with the -latex option:

-latex-value-prefix prefix
Give a prefix to use for the labels of the values in the generated LATEX document. The default prefix is the empty string. You can also use the options -latex-type-prefix, -latex-exception-prefix, -latex-module-prefix, -latex-module-type-prefix, -latex-class-prefix, -latex-class-type-prefix, -latex-attribute-prefix and -latex-method-prefix.

These options are useful when you have, for example, a type and a value with the same name. If you do not specify prefixes, LATEX will complain about multiply defined labels.

-latextitle n,style
Associate style number n to the given LATEX sectioning command style, e.g. section or subsection. (LATEX only.) This is useful when including the generated document in another LATEX document, at a given sectioning level. The default association is 1 for section, 2 for subsection, 3 for subsubsection, 4 for paragraph and 5 for subparagraph.
-noheader
Suppress header in generated documentation.
-notoc
Do not generate a table of contents.
-notrailer
Suppress trailer in generated documentation.
-sepfiles
Generate one .tex file per toplevel module, instead of the global ocamldoc.out file.

Options for generating TeXinfo files

The following options apply in conjunction with the -texi option:

-esc8
Escape accented characters in Info files.
-info-entry
Specify Info directory entry.
-info-section
Specify section of Info directory.
-noheader
Suppress header in generated documentation.
-noindex
Do not build index for Info files.
-notrailer
Suppress trailer in generated documentation.

Options for generating dot graphs

The following options apply in conjunction with the -dot option:

-dot-colors colors
Specify the colors to use in the generated dot code. When generating module dependencies, ocamldoc uses different colors for modules, depending on the directories in which they reside. When generating types dependencies, ocamldoc uses different colors for types, depending on the modules in which they are defined. colors is a list of color names separated by ’,’, as in Red,Blue,Green. The available colors are the ones supported by the dot tool.
-dot-include-all
Include all modules in the dot output, not only modules given on the command line or loaded with the -load option.
-dot-reduce
Perform a transitive reduction of the dependency graph before outputting the dot code. This can be useful if there are a lot of transitive dependencies that clutter the graph.
-dot-types
Output dot code describing the type dependency graph instead of the module dependency graph.

Options for generating man files

The following options apply in conjunction with the -man option:

-man-mini
Generate man pages only for modules, module types, classes and class types, instead of pages for all elements.
-man-suffix suffix
Set the suffix used for generated man filenames. Default is ’3o’, as in List.3o.
-man-section section
Set the section number used for generated man filenames. Default is ’3’.

15.1.2  Merging of module information

Information on a module can be extracted either from the .mli or .ml file, or both, depending on the files given on the command line. When both .mli and .ml files are given for the same module, information extracted from these files is merged according to the following rules:

15.1.3  Coding rules

The following rules must be respected in order to avoid name clashes resulting in cross-reference errors:

15.2  Syntax of documentation comments

Comments containing documentation material are called special comments and are written between (** and *). Special comments must start exactly with (**. Comments beginning with ( and more than two * are ignored.

15.2.1  Placement of documentation comments

OCamldoc can associate comments to some elements of the language encountered in the source files. The association is made according to the locations of comments with respect to the language elements. The locations of comments in .mli and .ml files are different.

Comments in .mli files

A special comment is associated to an element if it is placed before or after the element.
A special comment before an element is associated to this element if :

A special comment after an element is associated to this element if there is no blank line or comment between the special comment and the element.

There are two exceptions: for constructors and record fields in type definitions, the associated comment can only be placed after the constructor or field definition, without blank lines or other comments between them. The special comment for a constructor with another constructor following must be placed before the ’|’ character separating the two constructors.

The following sample interface file foo.mli illustrates the placement rules for comments in .mli files.

(** The first special comment of the file is the comment associated
    with the whole module.*)


(** Special comments can be placed between elements and are kept
    by the OCamldoc tool, but are not associated to any element.
    @-tags in these comments are ignored.*)

(*******************************************************************)
(** Comments like the one above, with more than two asterisks,
    are ignored. *)

(** The comment for function f. *)
val f : int -> int -> int
(** The continuation of the comment for function f. *)

(** Comment for exception My_exception, even with a simple comment
    between the special comment and the exception.*)
(* Hello, I'm a simple comment :-) *)
exception My_exception of (int -> int) * int

(** Comment for type weather  *)
type weather =
| Rain of int (** The comment for constructor Rain *)
| Sun (** The comment for constructor Sun *)

(** Comment for type weather2  *)
type weather2 =
| Rain of int (** The comment for constructor Rain *)
| Sun (** The comment for constructor Sun *)
(** I can continue the comment for type weather2 here
  because there is already a comment associated to the last constructor.*)

(** The comment for type my_record *)
type my_record = {
    val foo : int ;    (** Comment for field foo *)
    val bar : string ; (** Comment for field bar *)
  }
  (** Continuation of comment for type my_record *)

(** Comment for foo *)
val foo : string
(** This comment is associated to foo and not to bar. *)
val bar : string
(** This comment is associated to bar. *)

(** The comment for class my_class *)
class my_class :
  object
    (** A comment to describe inheritance from cl *)
    inherit cl

    (** The comment for attribute tutu *)
    val mutable tutu : string

    (** The comment for attribute toto. *)
    val toto : int

    (** This comment is not attached to titi since
        there is a blank line before titi, but is kept
        as a comment in the class. *)

    val titi : string

    (** Comment for method toto *)
    method toto : string

    (** Comment for method m *)
    method m : float -> int
  end

(** The comment for the class type my_class_type *)
class type my_class_type =
  object
    (** The comment for variable x. *)
    val mutable x : int

    (** The commend for method m. *)
    method m : int -> int
end

(** The comment for module Foo *)
module Foo =
  struct
    (** The comment for x *)
    val x : int

    (** A special comment that is kept but not associated to any element *)
  end

(** The comment for module type my_module_type. *)
module type my_module_type =
  sig
    (** The comment for value x. *)
    val x : int

    (** The comment for module M. *)
    module M =
      struct
        (** The comment for value y. *)
        val y : int

        (* ... *)
      end

  end

Comments in .ml files

A special comment is associated to an element if it is placed before the element and there is no blank line between the comment and the element. Meanwhile, there can be a simple comment between the special comment and the element. There are two exceptions, for constructors and record fields in type definitions, whose associated comment must be placed after the constructor or field definition, without blank line between them. The special comment for a constructor with another constructor following must be placed before the ’|’ character separating the two constructors.

The following example of file toto.ml shows where to place comments in a .ml file.

(** The first special comment of the file is the comment associated
    to the whole module. *)

(** The comment for function f *)
let f x y = x + y

(** This comment is not attached to any element since there is another
    special comment just before the next element. *)

(** Comment for exception My_exception, even with a simple comment
    between the special comment and the exception.*)
(* A simple comment. *)
exception My_exception of (int -> int) * int

(** Comment for type weather  *)
type weather =
| Rain of int (** The comment for constructor Rain *)
| Sun (** The comment for constructor Sun *)

(** The comment for type my_record *)
type my_record = {
    val foo : int ;    (** Comment for field foo *)
    val bar : string ; (** Comment for field bar *)
  }

(** The comment for class my_class *)
class my_class =
    object
      (** A comment to describe inheritance from cl *)
      inherit cl

      (** The comment for the instance variable tutu *)
      val mutable tutu = "tutu"
      (** The comment for toto *)
      val toto = 1
      val titi = "titi"
      (** Comment for method toto *)
      method toto = tutu ^ "!"
      (** Comment for method m *)
      method m (f : float) = 1
    end

(** The comment for class type my_class_type *)
class type my_class_type =
  object
    (** The comment for the instance variable x. *)
    val mutable x : int
    (** The commend for method m. *)
    method m : int -> int
  end

(** The comment for module Foo *)
module Foo =
  struct
    (** The comment for x *)
    val x : int
    (** A special comment in the class, but not associated to any element. *)
  end

(** The comment for module type my_module_type. *)
module type my_module_type =
  sig
    (* Comment for value x. *)
    val x : int
    (* ... *)
  end

15.2.2  The Stop special comment

The special comment (**/**) tells OCamldoc to discard elements placed after this comment, up to the end of the current class, class type, module or module type, or up to the next stop comment. For instance:

class type foo =
  object
    (** comment for method m *)
    method m : string

    (**/**)

    (** This method won't appear in the documentation *)
    method bar : int
  end

(** This value appears in the documentation, since the Stop special comment
    in the class does not affect the parent module of the class.*)
val foo : string

(**/**)
(** The value bar does not appear in the documentation.*)
val bar : string
(**/**)

(** The type t appears since in the documentation since the previous stop comment
toggled off the "no documentation mode". *)
type t = string

The -no-stop option to ocamldoc causes the Stop special comments to be ignored.

15.2.3  Syntax of documentation comments

The inside of documentation comments (***) consists of free-form text with optional formatting annotations, followed by optional tags giving more specific information about parameters, version, authors, … The tags are distinguished by a leading @ character. Thus, a documentation comment has the following shape:

(** The comment begins with a description, which is text formatted
   according to the rules described in the next section.
   The description continues until the first non-escaped '@' character.
   @author Mr Smith
   @param x description for parameter x
*)

Some elements support only a subset of all @-tags. Tags that are not relevant to the documented element are simply ignored. For instance, all tags are ignored when documenting type constructors, record fields, and class inheritance clauses. Similarly, a @param tag on a class instance variable is ignored.

At last, (**) is the empty documentation comment.

15.2.4  Text formatting

Here is the BNF grammar for the simple markup language used to format text descriptions.

text::= {text-element}+  
 
text-element::=
{ { 09 }+ text } format text as a section header; the integer following { indicates the sectioning level.
{ { 09 }+ : label text } same, but also associate the name label to the current point. This point can be referenced by its fully-qualified label in a {! command, just like any other element.
{b text } set text in bold.
{i text } set text in italic.
{e text } emphasize text.
{C text } center text.
{L text } left align text.
{R text } right align text.
{ul list } build a list.
{ol list } build an enumerated list.
{{: string }  text } put a link to the given address (given as string) on the given text.
[ string ] set the given string in source code style.
{[ string ]} set the given string in preformatted source code style.
{v string v} set the given string in verbatim style.
{% string %} target-specific content (LATEX code by default, see details in 15.2.4.4)
{! string } insert a cross-reference to an element (see section 15.2.4.2 for the syntax of cross-references).
{!modules: string  string ... } insert an index table for the given module names. Used in HTML only.
{!indexlist} insert a table of links to the various indexes (types, values, modules, ...). Used in HTML only.
{^ text } set text in superscript.
{_ text } set text in subscript.
escaped-stringtypeset the given string as is; special characters (’{’, ’}’, ’[’, ’]’ and ’@’) must be escaped by a ’\
blank-lineforce a new line.


15.2.4.1  List formatting

list::=  
  { {- text } }+  
  { {li text } }+

A shortcut syntax exists for lists and enumerated lists:

(** Here is a {b list}
- item 1
- item 2
- item 3

The list is ended by the blank line.*)

is equivalent to:

(** Here is a {b list}
{ul {- item 1}
{- item 2}
{- item 3}}
The list is ended by the blank line.*)

The same shortcut is available for enumerated lists, using ’+’ instead of ’-’. Note that only one list can be defined by this shortcut in nested lists.

15.2.4.2  Cross-reference formatting

Cross-references are fully qualified element names, as in the example {!Foo.Bar.t}. This is an ambiguous reference as it may designate a type name, a value name, a class name, etc. It is possible to make explicit the intended syntactic class, using {!type:Foo.Bar.t} to designate a type, and {!val:Foo.Bar.t} a value of the same name.

The list of possible syntactic class is as follows:

tagsyntactic class
module:module
modtype:module type
class:class
classtype:class type
val:value
type:type
exception:exception
attribute:attribute
method:class method
section:ocamldoc section
const:variant constructor
recfield:record field

In the case of variant constructors or record field, the constructor or field name should be preceded by the name of the correspond type – to avoid the ambiguity of several types having the same constructor names. For example, the constructor Node of the type tree will be referenced as {!tree.Node} or {!const:tree.Node}, or possibly {!Mod1.Mod2.tree.Node} from outside the module.

15.2.4.3  First sentence

In the description of a value, type, exception, module, module type, class or class type, the first sentence is sometimes used in indexes, or when just a part of the description is needed. The first sentence is composed of the first characters of the description, until

outside of the following text formatting : {ul list } , {ol list } , [ string ] , {[ string ]} , {v string v} , {% string %} , {! string } , {^ text } , {_ text } .

15.2.4.4  Target-specific formatting

The content inside {%foo: ... %} is target-specific and will only be interpreted by the backend foo, and ignored by the others. The backends of the distribution are latex, html, texi and man. If no target is specified (syntax {% ... %}), latex is chosen by default. Custom generators may support their own target prefix.

15.2.4.5  Recognized HTML tags

The HTML tags <b>..</b>, <code>..</code>, <i>..</i>, <ul>..</ul>, <ol>..</ol>, <li>..</li>, <center>..</center> and <h[0-9]>..</h[0-9]> can be used instead of, respectively, {b ..} , [..] , {i ..} , {ul ..} , {ol ..} , {li ..} , {C ..} and {[0-9] ..}.

15.2.5  Documentation tags (@-tags)

Predefined tags

The following table gives the list of predefined @-tags, with their syntax and meaning.

@author string The author of the element. One author per @author tag. There may be several @author tags for the same element.
@deprecated text The text should describe when the element was deprecated, what to use as a replacement, and possibly the reason for deprecation.
@param id  text Associate the given description (text) to the given parameter name id. This tag is used for functions, methods, classes and functors.
@raise Exc  text Explain that the element may raise the exception Exc.
@return text Describe the return value and its possible values. This tag is used for functions and methods.
@see < URL >  text Add a reference to the URL with the given text as comment.
@see 'filename' text Add a reference to the given file name (written between single quotes), with the given text as comment.
@see "document-name" text Add a reference to the given document name (written between double quotes), with the given text as comment.
@since string Indicate when the element was introduced.
@before version text Associate the given description (text) to the given version in order to document compatibility issues.
@version string The version number for the element.

Custom tags

You can use custom tags in the documentation comments, but they will have no effect if the generator used does not handle them. To use a custom tag, for example foo, just put @foo with some text in your comment, as in:

(** My comment to show you a custom tag.
@foo this is the text argument to the [foo] custom tag.
*)

To handle custom tags, you need to define a custom generator, as explained in section 15.3.2.

15.3  Custom generators

OCamldoc operates in two steps:

  1. analysis of the source files;
  2. generation of documentation, through a documentation generator, which is an object of class Odoc_args.class_generator.

Users can provide their own documentation generator to be used during step 2 instead of the default generators. All the information retrieved during the analysis step is available through the Odoc_info module, which gives access to all the types and functions representing the elements found in the given modules, with their associated description.

The files you can use to define custom generators are installed in the ocamldoc sub-directory of the OCaml standard library.

15.3.1  The generator modules

The type of a generator module depends on the kind of generated documentation. Here is the list of generator module types, with the name of the generator class in the module :

That is, to define a new generator, one must implement a module with the expected signature, and with the given generator class, providing the generate method as entry point to make the generator generates documentation for a given list of modules :

        method generate : Odoc_info.Module.t_module list -> unit

This method will be called with the list of analysed and possibly merged Odoc_info.t_module structures.

It is recommended to inherit from the current generator of the same kind as the one you want to define. Doing so, it is possible to load various custom generators to combine improvements brought by each one.

This is done using first class modules (see chapter 7.10).

The easiest way to define a custom generator is the following this example, here extending the current HTML generator. We don’t have to know if this is the original HTML generator defined in ocamldoc or if it has been extended already by a previously loaded custom generator :

module Generator (G : Odoc_html.Html_generator) =
struct
  class html =
    object(self)
      inherit G.html as html
      (* ... *)

      method generate module_list =
        (* ... *)
        ()

      (* ... *)
  end
end;;

let _ = Odoc_args.extend_html_generator (module Generator : Odoc_gen.Html_functor);;

To know which methods to override and/or which methods are available, have a look at the different base implementations, depending on the kind of generator you are extending :

15.3.2  Handling custom tags

Making a custom generator handle custom tags (see 15.2.5) is very simple.

For HTML

Here is how to develop a HTML generator handling your custom tags.

The class Odoc_html.Generator.html inherits from the class Odoc_html.info, containing a field tag_functions which is a list pairs composed of a custom tag (e.g. "foo") and a function taking a text and returning HTML code (of type string). To handle a new tag bar, extend the current HTML generator and complete the tag_functions field:

module Generator (G : Odoc_html.Html_generator) =
struct
  class html =
    object(self)
      inherit G.html

      (** Return HTML code for the given text of a bar tag. *)
      method html_of_bar t = (* your code here *)

      initializer
        tag_functions <- ("bar", self#html_of_bar) :: tag_functions
  end
end
let _ = Odoc_args.extend_html_generator (module Generator : Odoc_gen.Html_functor);;

Another method of the class Odoc_html.info will look for the function associated to a custom tag and apply it to the text given to the tag. If no function is associated to a custom tag, then the method prints a warning message on stderr.

For other generators

You can act the same way for other kinds of generators.

15.4  Adding command line options

The command line analysis is performed after loading the module containing the documentation generator, thus allowing command line options to be added to the list of existing ones. Adding an option can be done with the function

        Odoc_args.add_option : string * Arg.spec * string -> unit

Note: Existing command line options can be redefined using this function.

15.4.1  Compilation and usage

Defining a custom generator class in one file

Let custom.ml be the file defining a new generator class. Compilation of custom.ml can be performed by the following command :

        ocamlc -I +ocamldoc -c custom.ml

The file custom.cmo is created and can be used this way :

        ocamldoc -g custom.cmo other-options source-files

Options selecting a built-in generator to ocamldoc, such as -html, have no effect if a custom generator of the same kind is provided using -g. If the kinds do not match, the selected built-in generator is used and the custom one is ignored.

Defining a custom generator class in several files

It is possible to define a generator class in several modules, which are defined in several files file1.ml[i], file2.ml[i], ..., filen.ml[i]. A .cma library file must be created, including all these files.

The following commands create the custom.cma file from files file1.ml[i], ..., filen.ml[i] :

ocamlc -I +ocamldoc -c file1.ml[i]
ocamlc -I +ocamldoc -c file2.ml[i]
...
ocamlc -I +ocamldoc -c filen.ml[i]
ocamlc -o custom.cma -a file1.cmo file2.cmo ... filen.cmo

Then, the following command uses custom.cma as custom generator:

        ocamldoc -g custom.cma other-options source-files

Previous Up Next ocaml-doc-4.05/ocaml.html/toplevel.html0000644000175000017500000014770713131636457017045 0ustar mehdimehdi Chapter 9  The toplevel system (ocaml) Previous Up Next

Chapter 9  The toplevel system (ocaml)

This chapter describes the toplevel system for OCaml, that permits interactive use of the OCaml system through a read-eval-print loop. In this mode, the system repeatedly reads OCaml phrases from the input, then typechecks, compile and evaluate them, then prints the inferred type and result value, if any. The system prints a # (sharp) prompt before reading each phrase.

Input to the toplevel can span several lines. It is terminated by ;; (a double-semicolon). The toplevel input consists in one or several toplevel phrases, with the following syntax:

toplevel-input::=definition }+ ;;  
  expr ;;  
  # ident  [ directive-argument ] ;;  
 
directive-argument::= string-literal  
  integer-literal  
  value-path  
  true ∣  false

A phrase can consist of a definition, like those found in implementations of compilation units or in structend module expressions. The definition can bind value names, type names, an exception, a module name, or a module type name. The toplevel system performs the bindings, then prints the types and values (if any) for the names thus defined.

A phrase may also consist in a value expression (section 6.7). It is simply evaluated without performing any bindings, and its value is printed.

Finally, a phrase can also consist in a toplevel directive, starting with # (the sharp sign). These directives control the behavior of the toplevel; they are listed below in section 9.2.

Unix:   The toplevel system is started by the command ocaml, as follows:
        ocaml options objects                # interactive mode
        ocaml options objects scriptfile        # script mode
options are described below. objects are filenames ending in .cmo or .cma; they are loaded into the interpreter immediately after options are set. scriptfile is any file name not ending in .cmo or .cma.

If no scriptfile is given on the command line, the toplevel system enters interactive mode: phrases are read on standard input, results are printed on standard output, errors on standard error. End-of-file on standard input terminates ocaml (see also the #quit directive in section 9.2).

On start-up (before the first phrase is read), if the file .ocamlinit exists in the current directory, its contents are read as a sequence of OCaml phrases and executed as per the #use directive described in section 9.2. The evaluation outcode for each phrase are not displayed. If the current directory does not contain an .ocamlinit file, but the user’s home directory (environment variable HOME) does, the latter is read and executed as described below.

The toplevel system does not perform line editing, but it can easily be used in conjunction with an external line editor such as ledit, ocaml2 or rlwrap (see the Caml Hump). Another option is to use ocaml under Gnu Emacs, which gives the full editing power of Emacs (command run-caml from library inf-caml).

At any point, the parsing, compilation or evaluation of the current phrase can be interrupted by pressing ctrl-C (or, more precisely, by sending the INTR signal to the ocaml process). The toplevel then immediately returns to the # prompt.

If scriptfile is given on the command-line to ocaml, the toplevel system enters script mode: the contents of the file are read as a sequence of OCaml phrases and executed, as per the #use directive (section 9.2). The outcome of the evaluation is not printed. On reaching the end of file, the ocaml command exits immediately. No commands are read from standard input. Sys.argv is transformed, ignoring all OCaml parameters, and starting with the script file name in Sys.argv.(0).

In script mode, the first line of the script is ignored if it starts with #!. Thus, it should be possible to make the script itself executable and put as first line #!/usr/local/bin/ocaml, thus calling the toplevel system automatically when the script is run. However, ocaml itself is a #! script on most installations of OCaml, and Unix kernels usually do not handle nested #! scripts. A better solution is to put the following as the first line of the script:

        #!/usr/local/bin/ocamlrun /usr/local/bin/ocaml

9.1  Options

The following command-line options are recognized by the ocaml command.

-absname
Force error messages to show absolute paths for file names.
-args filename
Read additional newline-terminated command line arguments from filename. It is not possible to pass a scriptfile via file to the toplevel.
-args0 filename
Read additional null character terminated command line arguments from filename. It is not possible to pass a scriptfile via file to the toplevel.
-config
Print the version number of and a detailed summary of its configuration, then exit.
-I directory
Add the given directory to the list of directories searched for source and compiled files. By default, the current directory is searched first, then the standard library directory. Directories added with -I are searched after the current directory, in the order in which they were given on the command line, but before the standard library directory. See also option -nostdlib.

If the given directory starts with +, it is taken relative to the standard library directory. For instance, -I +labltk adds the subdirectory labltk of the standard library to the search path.

Directories can also be added to the list once the toplevel is running with the #directory directive (section 9.2).

-init file
Load the given file instead of the default initialization file. The default file is .ocamlinit in the current directory if it exists, otherwise .ocamlinit in the user’s home directory.
-labels
Labels are not ignored in types, labels may be used in applications, and labelled parameters can be given in any order. This is the default.
-no-app-funct
Deactivates the applicative behaviour of functors. With this option, each functor application generates new types in its result and applying the same functor twice to the same argument yields two incompatible structures.
-noassert
Do not compile assertion checks. Note that the special form assert false is always compiled because it is typed specially.
-nolabels
Ignore non-optional labels in types. Labels cannot be used in applications, and parameter order becomes strict.
-noprompt
Do not display any prompt when waiting for input.
-nopromptcont
Do not display the secondary prompt when waiting for continuation lines in multi-line inputs. This should be used e.g. when running ocaml in an emacs window.
-nostdlib
Do not include the standard library directory in the list of directories searched for source and compiled files.
-ppx command
After parsing, pipe the abstract syntax tree through the preprocessor command. The module Ast_mapper, described in chapter 25: Ast_mapper , implements the external interface of a preprocessor.
-principal
Check information path during type-checking, to make sure that all types are derived in a principal way. When using labelled arguments and/or polymorphic methods, this flag is required to ensure future versions of the compiler will be able to infer types correctly, even if internal algorithms change. All programs accepted in -principal mode are also accepted in the default mode with equivalent types, but different binary signatures, and this may slow down type checking; yet it is a good idea to use it once before publishing source code.
-rectypes
Allow arbitrary recursive types during type-checking. By default, only recursive types where the recursion goes through an object type are supported.
-safe-string
Enforce the separation between types string and bytes, thereby making strings read-only. This will become the default in a future version of OCaml.
-short-paths
When a type is visible under several module-paths, use the shortest one when printing the type’s name in inferred interfaces and error and warning messages. Identifier names starting with an underscore _ or containing double underscores __ incur a penalty of +10 when computing their length.
-stdin
Read the standard input as a script file rather than starting an interactive session.
-strict-sequence
Force the left-hand part of each sequence to have type unit.
-strict-formats
Reject invalid formats that were accepted in legacy format implementations. You should use this flag to detect and fix such invalid formats, as they will be rejected by future OCaml versions.
-unsafe
Turn bound checking off for array and string accesses (the v.(i) and s.[i] constructs). Programs compiled with -unsafe are therefore faster, but unsafe: anything can happen if the program accesses an array or string outside of its bounds.
-unsafe-string
Identify the types string and bytes, thereby making strings writable. For reasons of backward compatibility, this is the default setting for the moment, but this will change in a future version of OCaml.
-v
Print the version number of the compiler and the location of the standard library directory, then exit.
-verbose
Print all external commands before they are executed, Useful to debug C library problems.
-version
Print version string and exit.
-vnum
Print short version number and exit.
-no-version
Do not print the version banner at startup.
-w warning-list
Enable, disable, or mark as fatal the warnings specified by the argument warning-list. Each warning can be enabled or disabled, and each warning can be fatal or non-fatal. If a warning is disabled, it isn’t displayed and doesn’t affect compilation in any way (even if it is fatal). If a warning is enabled, it is displayed normally by the compiler whenever the source code triggers it. If it is enabled and fatal, the compiler will also stop with an error after displaying it.

The warning-list argument is a sequence of warning specifiers, with no separators between them. A warning specifier is one of the following:

+num
Enable warning number num.
-num
Disable warning number num.
@num
Enable and mark as fatal warning number num.
+num1..num2
Enable warnings in the given range.
-num1..num2
Disable warnings in the given range.
@num1..num2
Enable and mark as fatal warnings in the given range.
+letter
Enable the set of warnings corresponding to letter. The letter may be uppercase or lowercase.
-letter
Disable the set of warnings corresponding to letter. The letter may be uppercase or lowercase.
@letter
Enable and mark as fatal the set of warnings corresponding to letter. The letter may be uppercase or lowercase.
uppercase-letter
Enable the set of warnings corresponding to uppercase-letter.
lowercase-letter
Disable the set of warnings corresponding to lowercase-letter.

Warning numbers and letters which are out of the range of warnings that are currently defined are ignored. The warnings are as follows.

1
Suspicious-looking start-of-comment mark.
2
Suspicious-looking end-of-comment mark.
3
Deprecated feature.
4
Fragile pattern matching: matching that will remain complete even if additional constructors are added to one of the variant types matched.
5
Partially applied function: expression whose result has function type and is ignored.
6
Label omitted in function application.
7
Method overridden.
8
Partial match: missing cases in pattern-matching.
9
Missing fields in a record pattern.
10
Expression on the left-hand side of a sequence that doesn’t have type unit (and that is not a function, see warning number 5).
11
Redundant case in a pattern matching (unused match case).
12
Redundant sub-pattern in a pattern-matching.
13
Instance variable overridden.
14
Illegal backslash escape in a string constant.
15
Private method made public implicitly.
16
Unerasable optional argument.
17
Undeclared virtual method.
18
Non-principal type.
19
Type without principality.
20
Unused function argument.
21
Non-returning statement.
22
Preprocessor warning.
23
Useless record with clause.
24
Bad module name: the source file name is not a valid OCaml module name.
26
Suspicious unused variable: unused variable that is bound with let or as, and doesn’t start with an underscore (_) character.
27
Innocuous unused variable: unused variable that is not bound with let nor as, and doesn’t start with an underscore (_) character.
28
Wildcard pattern given as argument to a constant constructor.
29
Unescaped end-of-line in a string constant (non-portable code).
30
Two labels or constructors of the same name are defined in two mutually recursive types.
31
A module is linked twice in the same executable.
32
Unused value declaration.
33
Unused open statement.
34
Unused type declaration.
35
Unused for-loop index.
36
Unused ancestor variable.
37
Unused constructor.
38
Unused extension constructor.
39
Unused rec flag.
40
Constructor or label name used out of scope.
41
Ambiguous constructor or label name.
42
Disambiguated constructor or label name (compatibility warning).
43
Nonoptional label applied as optional.
44
Open statement shadows an already defined identifier.
45
Open statement shadows an already defined label or constructor.
46
Error in environment variable.
47
Illegal attribute payload.
48
Implicit elimination of optional arguments.
49
Absent cmi file when looking up module alias.
50
Unexpected documentation comment.
51
Warning on non-tail calls if @tailcall present.
52 (see 8.5.1)
Fragile constant pattern.
53
Attribute cannot appear in this context
54
Attribute used more than once on an expression
55
Inlining impossible
56
Unreachable case in a pattern-matching (based on type information).
57 (see 8.5.2)
Ambiguous or-pattern variables under guard
58
Missing cmx file
59
Assignment to non-mutable value
60
Unused module declaration
A
all warnings
C
warnings 1, 2.
D
Alias for warning 3.
E
Alias for warning 4.
F
Alias for warning 5.
K
warnings 32, 33, 34, 35, 36, 37, 38, 39.
L
Alias for warning 6.
M
Alias for warning 7.
P
Alias for warning 8.
R
Alias for warning 9.
S
Alias for warning 10.
U
warnings 11, 12.
V
Alias for warning 13.
X
warnings 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 30.
Y
Alias for warning 26.
Z
Alias for warning 27.

The default setting is -w +a-4-6-7-9-27-29-32..39-41..42-44-45-48-50. It is displayed by -help. Note that warnings 5 and 10 are not always triggered, depending on the internals of the type checker.

-warn-error warning-list
Mark as fatal the warnings specified in the argument warning-list. The compiler will stop with an error when one of these warnings is emitted. The warning-list has the same meaning as for the -w option: a + sign (or an uppercase letter) marks the corresponding warnings as fatal, a - sign (or a lowercase letter) turns them back into non-fatal warnings, and a @ sign both enables and marks as fatal the corresponding warnings.

Note: it is not recommended to use warning sets (i.e. letters) as arguments to -warn-error in production code, because this can break your build when future versions of OCaml add some new warnings.

The default setting is -warn-error -a+31 (only warning 31 is fatal).

-warn-help
Show the description of all available warning numbers.
- file
Use file as a script file name, even when it starts with a hyphen (-).
-help or --help
Display a short usage summary and exit.
Unix:   The following environment variables are also consulted:
TERM
When printing error messages, the toplevel system attempts to underline visually the location of the error. It consults the TERM variable to determines the type of output terminal and look up its capabilities in the terminal database.
HOME
Directory where the .ocamlinit file is searched.

9.2  Toplevel directives

The following directives control the toplevel behavior, load files in memory, and trace program execution.

Note: all directives start with a # (sharp) symbol. This # must be typed before the directive, and must not be confused with the # prompt displayed by the interactive loop. For instance, typing #quit;; will exit the toplevel loop, but typing quit;; will result in an “unbound value quit” error.

General
#help;;
Prints a list of all available directives, with corresponding argument type if appropriate.
#quit;;
Exit the toplevel loop and terminate the ocaml command.
Loading codes
#cd "dir-name";;
Change the current working directory.
#directory "dir-name";;
Add the given directory to the list of directories searched for source and compiled files.
#remove_directory "dir-name";;
Remove the given directory from the list of directories searched for source and compiled files. Do nothing if the list does not contain the given directory.
#load "file-name";;
Load in memory a bytecode object file (.cmo file) or library file (.cma file) produced by the batch compiler ocamlc.
#load_rec "file-name";;
Load in memory a bytecode object file (.cmo file) or library file (.cma file) produced by the batch compiler ocamlc. When loading an object file that depends on other modules which have not been loaded yet, the .cmo files for these modules are searched and loaded as well, recursively. The loading order is not specified.
#use "file-name";;
Read, compile and execute source phrases from the given file. This is textual inclusion: phrases are processed just as if they were typed on standard input. The reading of the file stops at the first error encountered.
#mod_use "file-name";;
Similar to #use but also wrap the code into a top-level module of the same name as capitalized file name without extensions, following semantics of the compiler.

For directives that take file names as arguments, if the given file name specifies no directory, the file is searched in the following directories:

  1. In script mode, the directory containing the script currently executing; in interactive mode, the current working directory.
  2. Directories added with the #directory directive.
  3. Directories given on the command line with -I options.
  4. The standard library directory.
Environment queries
#show_class class-path;;
#show_class_type class-path;;
#show_exception ident;;
#show_module module-path;;
#show_module_type modtype-path;;
#show_type typeconstr;;
#show_val value-path;;
Print the signature of the corresponding component.
#show ident;;
Print the signatures of components with name ident in all the above categories.
Pretty-printing
#install_printer printer-name;;
This directive registers the function named printer-name (a value path) as a printer for values whose types match the argument type of the function. That is, the toplevel loop will call printer-name when it has such a value to print.

The printing function printer-name should have type Format.formatter -> t -> unit, where t is the type for the values to be printed, and should output its textual representation for the value of type t on the given formatter, using the functions provided by the Format library. For backward compatibility, printer-name can also have type t -> unit and should then output on the standard formatter, but this usage is deprecated.

#print_depth n;;
Limit the printing of values to a maximal depth of n. The parts of values whose depth exceeds n are printed as ... (ellipsis).
#print_length n;;
Limit the number of value nodes printed to at most n. Remaining parts of values are printed as ... (ellipsis).
#remove_printer printer-name;;
Remove the named function from the table of toplevel printers.
Tracing
#trace function-name;;
After executing this directive, all calls to the function named function-name will be “traced”. That is, the argument and the result are displayed for each call, as well as the exceptions escaping out of the function, raised either by the function itself or by another function it calls. If the function is curried, each argument is printed as it is passed to the function.
#untrace function-name;;
Stop tracing the given function.
#untrace_all;;
Stop tracing all functions traced so far.
Compiler options
#labels bool;;
Ignore labels in function types if argument is false, or switch back to default behaviour (commuting style) if argument is true.
#ppx "file-name";;
After parsing, pipe the abstract syntax tree through the preprocessor command.
#principal bool;;
If the argument is true, check information paths during type-checking, to make sure that all types are derived in a principal way. If the argument is false, do not check information paths.
#rectypes;;
Allow arbitrary recursive types during type-checking. Note: once enabled, this option cannot be disabled because that would lead to unsoundness of the type system.
#warn_error "warning-list";;
Treat as errors the warnings enabled by the argument and as normal warnings the warnings disabled by the argument.
#warnings "warning-list";;
Enable or disable warnings according to the argument.

9.3  The toplevel and the module system

Toplevel phrases can refer to identifiers defined in compilation units with the same mechanisms as for separately compiled units: either by using qualified names (Modulename.localname), or by using the open construct and unqualified names (see section 6.3).

However, before referencing another compilation unit, an implementation of that unit must be present in memory. At start-up, the toplevel system contains implementations for all the modules in the the standard library. Implementations for user modules can be entered with the #load directive described above. Referencing a unit for which no implementation has been provided results in the error Reference to undefined global `...'.

Note that entering open Mod merely accesses the compiled interface (.cmi file) for Mod, but does not load the implementation of Mod, and does not cause any error if no implementation of Mod has been loaded. The error “reference to undefined global Mod” will occur only when executing a value or module definition that refers to Mod.

9.4  Common errors

This section describes and explains the most frequently encountered error messages.

Cannot find file filename
The named file could not be found in the current directory, nor in the directories of the search path.

If filename has the format mod.cmi, this means you have referenced the compilation unit mod, but its compiled interface could not be found. Fix: compile mod.mli or mod.ml first, to create the compiled interface mod.cmi.

If filename has the format mod.cmo, this means you are trying to load with #load a bytecode object file that does not exist yet. Fix: compile mod.ml first.

If your program spans several directories, this error can also appear because you haven’t specified the directories to look into. Fix: use the #directory directive to add the correct directories to the search path.

This expression has type t1, but is used with type t2
See section 8.4.
Reference to undefined global mod
You have neglected to load in memory an implementation for a module with #load. See section 9.3 above.

9.5  Building custom toplevel systems: ocamlmktop

The ocamlmktop command builds OCaml toplevels that contain user code preloaded at start-up.

The ocamlmktop command takes as argument a set of .cmo and .cma files, and links them with the object files that implement the OCaml toplevel. The typical use is:

        ocamlmktop -o mytoplevel foo.cmo bar.cmo gee.cmo

This creates the bytecode file mytoplevel, containing the OCaml toplevel system, plus the code from the three .cmo files. This toplevel is directly executable and is started by:

        ./mytoplevel

This enters a regular toplevel loop, except that the code from foo.cmo, bar.cmo and gee.cmo is already loaded in memory, just as if you had typed:

        #load "foo.cmo";;
        #load "bar.cmo";;
        #load "gee.cmo";;

on entrance to the toplevel. The modules Foo, Bar and Gee are not opened, though; you still have to do

        open Foo;;

yourself, if this is what you wish.

9.6  Options

The following command-line options are recognized by ocamlmktop.

-cclib libname
Pass the -llibname option to the C linker when linking in “custom runtime” mode. See the corresponding option for ocamlc, in chapter 8.
-ccopt option
Pass the given option to the C compiler and linker, when linking in “custom runtime” mode. See the corresponding option for ocamlc, in chapter 8.
-custom
Link in “custom runtime” mode. See the corresponding option for ocamlc, in chapter 8.
-I directory
Add the given directory to the list of directories searched for compiled object code files (.cmo and .cma).
-o exec-file
Specify the name of the toplevel file produced by the linker. The default is a.out.

Previous Up Next ocaml-doc-4.05/ocaml.html/libdynlink.html0000644000175000017500000000417013131636457017334 0ustar mehdimehdi Chapter 31  The dynlink library: dynamic loading and linking of object files Previous Up Next

Chapter 31  The dynlink library: dynamic loading and linking of object files

The dynlink library supports type-safe dynamic loading and linking of bytecode object files (.cmo and .cma files) in a running bytecode program, or of native plugins (usually .cmxs files) in a running native program. Type safety is ensured by limiting the set of modules from the running program that the loaded object file can access, and checking that the running program and the loaded object file have been compiled against the same interfaces for these modules. In native code, there are also some compatibility checks on the implementations (to avoid errors with cross-module optimizations); it might be useful to hide .cmx files when building native plugins so that they remain independent of the implementation of modules in the main program.

Programs that use the dynlink library simply need to link dynlink.cma or dynlink.cmxa with their object files and other libraries.


Previous Up Next ocaml-doc-4.05/ocaml.html/values.html0000644000175000017500000001702113131636457016473 0ustar mehdimehdi 6.2  Values Previous Up Next

6.2  Values

This section describes the kinds of values that are manipulated by OCaml programs.

6.2.1  Base values

Integer numbers

Integer values are integer numbers from −230 to 230−1, that is −1073741824 to 1073741823. The implementation may support a wider range of integer values: on 64-bit platforms, the current implementation supports integers ranging from −262 to 262−1.

Floating-point numbers

Floating-point values are numbers in floating-point representation. The current implementation uses double-precision floating-point numbers conforming to the IEEE 754 standard, with 53 bits of mantissa and an exponent ranging from −1022 to 1023.

Characters

Character values are represented as 8-bit integers between 0 and 255. Character codes between 0 and 127 are interpreted following the ASCII standard. The current implementation interprets character codes between 128 and 255 following the ISO 8859-1 standard.

Character strings

String values are finite sequences of characters. The current implementation supports strings containing up to 224 − 5 characters (16777211 characters); on 64-bit platforms, the limit is 257 − 9.

6.2.2  Tuples

Tuples of values are written (v1,, vn), standing for the n-tuple of values v1 to vn. The current implementation supports tuple of up to 222 − 1 elements (4194303 elements).

6.2.3  Records

Record values are labeled tuples of values. The record value written { field1 = v1;;  fieldn = vn } associates the value vi to the record field fieldi, for i = 1 … n. The current implementation supports records with up to 222 − 1 fields (4194303 fields).

6.2.4  Arrays

Arrays are finite, variable-sized sequences of values of the same type. The current implementation supports arrays containing up to 222 − 1 elements (4194303 elements) unless the elements are floating-point numbers (2097151 elements in this case); on 64-bit platforms, the limit is 254 − 1 for all arrays.

6.2.5  Variant values

Variant values are either a constant constructor, or a non-constant constructor applied to a number of values. The former case is written constr; the latter case is written constr (v1, ... , vn ), where the vi are said to be the arguments of the non-constant constructor constr. The parentheses may be omitted if there is only one argument.

The following constants are treated like built-in constant constructors:

ConstantConstructor
falsethe boolean false
truethe boolean true
()the “unit” value
[]the empty list

The current implementation limits each variant type to have at most 246 non-constant constructors and 230−1 constant constructors.

6.2.6  Polymorphic variants

Polymorphic variants are an alternate form of variant values, not belonging explicitly to a predefined variant type, and following specific typing rules. They can be either constant, written `tag-name, or non-constant, written `tag-name(v).

6.2.7  Functions

Functional values are mappings from values to values.

6.2.8  Objects

Objects are composed of a hidden internal state which is a record of instance variables, and a set of methods for accessing and modifying these variables. The structure of an object is described by the toplevel class that created it.


Previous Up Next ocaml-doc-4.05/ocaml.html/runtime.html0000644000175000017500000004550413131636457016666 0ustar mehdimehdi Chapter 10  The runtime system (ocamlrun) Previous Up Next

Chapter 10  The runtime system (ocamlrun)

The ocamlrun command executes bytecode files produced by the linking phase of the ocamlc command.

10.1  Overview

The ocamlrun command comprises three main parts: the bytecode interpreter, that actually executes bytecode files; the memory allocator and garbage collector; and a set of C functions that implement primitive operations such as input/output.

The usage for ocamlrun is:

        ocamlrun options bytecode-executable arg1 ... argn

The first non-option argument is taken to be the name of the file containing the executable bytecode. (That file is searched in the executable path as well as in the current directory.) The remaining arguments are passed to the OCaml program, in the string array Sys.argv. Element 0 of this array is the name of the bytecode executable file; elements 1 to n are the remaining arguments arg1 to argn.

As mentioned in chapter 8, the bytecode executable files produced by the ocamlc command are self-executable, and manage to launch the ocamlrun command on themselves automatically. That is, assuming a.out is a bytecode executable file,

        a.out arg1 ... argn

works exactly as

        ocamlrun a.out arg1 ... argn

Notice that it is not possible to pass options to ocamlrun when invoking a.out directly.

Windows:   Under several versions of Windows, bytecode executable files are self-executable only if their name ends in .exe. It is recommended to always give .exe names to bytecode executables, e.g. compile with ocamlc -o myprog.exe ... rather than ocamlc -o myprog ....

10.2  Options

The following command-line options are recognized by ocamlrun.

-b
When the program aborts due to an uncaught exception, print a detailed “back trace” of the execution, showing where the exception was raised and which function calls were outstanding at this point. The back trace is printed only if the bytecode executable contains debugging information, i.e. was compiled and linked with the -g option to ocamlc set. This is equivalent to setting the b flag in the OCAMLRUNPARAM environment variable (see below).
-I dir
Search the directory dir for dynamically-loaded libraries, in addition to the standard search path (see section 10.3).
-p
Print the names of the primitives known to this version of ocamlrun and exit.
-v
Direct the memory manager to print some progress messages on standard error. This is equivalent to setting v=63 in the OCAMLRUNPARAM environment variable (see below).
-version
Print version string and exit.
-vnum
Print short version number and exit.

The following environment variables are also consulted:

CAML_LD_LIBRARY_PATH
Additional directories to search for dynamically-loaded libraries (see section 10.3).
OCAMLLIB
The directory containing the OCaml standard library. (If OCAMLLIB is not set, CAMLLIB will be used instead.) Used to locate the ld.conf configuration file for dynamic loading (see section 10.3). If not set, default to the library directory specified when compiling OCaml.
OCAMLRUNPARAM
Set the runtime system options and garbage collection parameters. (If OCAMLRUNPARAM is not set, CAMLRUNPARAM will be used instead.) This variable must be a sequence of parameter specifications separated by commas. A parameter specification is an option letter followed by an = sign, a decimal number (or an hexadecimal number prefixed by 0x), and an optional multiplier. The options are documented below; the last six correspond to the fields of the control record documented in Module Gc.
b
(backtrace) Trigger the printing of a stack backtrace when an uncaught exception aborts the program. This option takes no argument.
p
(parser trace) Turn on debugging support for ocamlyacc-generated parsers. When this option is on, the pushdown automaton that executes the parsers prints a trace of its actions. This option takes no argument.
R
(randomize) Turn on randomization of all hash tables by default (see Module Hashtbl). This option takes no argument.
h
The initial size of the major heap (in words).
a
(allocation_policy) The policy used for allocating in the OCaml heap. Possible values are 0 for the next-fit policy, and 1 for the first-fit policy. Next-fit is usually faster, but first-fit is better for avoiding fragmentation and the associated heap compactions.
s
(minor_heap_size) Size of the minor heap. (in words)
i
(major_heap_increment) Default size increment for the major heap. (in words)
o
(space_overhead) The major GC speed setting.
O
(max_overhead) The heap compaction trigger setting.
l
(stack_limit) The limit (in words) of the stack size.
v
(verbose) What GC messages to print to stderr. This is a sum of values selected from the following:
1 (= 0x001)
Start of major GC cycle.
2 (= 0x002)
Minor collection and major GC slice.
4 (= 0x004)
Growing and shrinking of the heap.
8 (= 0x008)
Resizing of stacks and memory manager tables.
16 (= 0x010)
Heap compaction.
32 (= 0x020)
Change of GC parameters.
64 (= 0x040)
Computation of major GC slice size.
128 (= 0x080)
Calling of finalization functions
256 (= 0x100)
Startup messages (loading the bytecode executable file, resolving shared libraries).
512 (= 0x200)
Computation of compaction-triggering condition.
1024 (= 0x400)
Output GC statistics at program exit.
The multiplier is k, M, or G, for multiplication by 210, 220, and 230 respectively.

If the option letter is not recognized, the whole parameter is ignored; if the equal sign or the number is missing, the value is taken as 1; if the multiplier is not recognized, it is ignored.

For example, on a 32-bit machine, under bash the command

        export OCAMLRUNPARAM='b,s=256k,v=0x015'

tells a subsequent ocamlrun to print backtraces for uncaught exceptions, set its initial minor heap size to 1 megabyte and print a message at the start of each major GC cycle, when the heap size changes, and when compaction is triggered.

CAMLRUNPARAM
If OCAMLRUNPARAM is not found in the environment, then CAMLRUNPARAM will be used instead. If CAMLRUNPARAM is also not found, then the default values will be used.
PATH
List of directories searched to find the bytecode executable file.

10.3  Dynamic loading of shared libraries

On platforms that support dynamic loading, ocamlrun can link dynamically with C shared libraries (DLLs) providing additional C primitives beyond those provided by the standard runtime system. The names for these libraries are provided at link time as described in section 19.1.4), and recorded in the bytecode executable file; ocamlrun, then, locates these libraries and resolves references to their primitives when the bytecode executable program starts.

The ocamlrun command searches shared libraries in the following directories, in the order indicated:

  1. Directories specified on the ocamlrun command line with the -I option.
  2. Directories specified in the CAML_LD_LIBRARY_PATH environment variable.
  3. Directories specified at link-time via the -dllpath option to ocamlc. (These directories are recorded in the bytecode executable file.)
  4. Directories specified in the file ld.conf. This file resides in the OCaml standard library directory, and lists directory names (one per line) to be searched. Typically, it contains only one line naming the stublibs subdirectory of the OCaml standard library directory. Users can add there the names of other directories containing frequently-used shared libraries; however, for consistency of installation, we recommend that shared libraries are installed directly in the system stublibs directory, rather than adding lines to the ld.conf file.
  5. Default directories searched by the system dynamic loader. Under Unix, these generally include /lib and /usr/lib, plus the directories listed in the file /etc/ld.so.conf and the environment variable LD_LIBRARY_PATH. Under Windows, these include the Windows system directories, plus the directories listed in the PATH environment variable.

10.4  Common errors

This section describes and explains the most frequently encountered error messages.

filename: no such file or directory
If filename is the name of a self-executable bytecode file, this means that either that file does not exist, or that it failed to run the ocamlrun bytecode interpreter on itself. The second possibility indicates that OCaml has not been properly installed on your system.
Cannot exec ocamlrun
(When launching a self-executable bytecode file.) The ocamlrun could not be found in the executable path. Check that OCaml has been properly installed on your system.
Cannot find the bytecode file
The file that ocamlrun is trying to execute (e.g. the file given as first non-option argument to ocamlrun) either does not exist, or is not a valid executable bytecode file.
Truncated bytecode file
The file that ocamlrun is trying to execute is not a valid executable bytecode file. Probably it has been truncated or mangled since created. Erase and rebuild it.
Uncaught exception
The program being executed contains a “stray” exception. That is, it raises an exception at some point, and this exception is never caught. This causes immediate termination of the program. The name of the exception is printed, along with its string, byte sequence, and integer arguments (arguments of more complex types are not correctly printed). To locate the context of the uncaught exception, compile the program with the -g option and either run it again under the ocamldebug debugger (see chapter 16), or run it with ocamlrun -b or with the OCAMLRUNPARAM environment variable set to b=1.
Out of memory
The program being executed requires more memory than available. Either the program builds excessively large data structures; or the program contains too many nested function calls, and the stack overflows. In some cases, your program is perfectly correct, it just requires more memory than your machine provides. In other cases, the “out of memory” message reveals an error in your program: non-terminating recursive function, allocation of an excessively large array, string or byte sequence, attempts to build an infinite list or other data structure, …

To help you diagnose this error, run your program with the -v option to ocamlrun, or with the OCAMLRUNPARAM environment variable set to v=63. If it displays lots of “Growing stack…” messages, this is probably a looping recursive function. If it displays lots of “Growing heap…” messages, with the heap size growing slowly, this is probably an attempt to construct a data structure with too many (infinitely many?) cells. If it displays few “Growing heap…” messages, but with a huge increment in the heap size, this is probably an attempt to build an excessively large array, string or byte sequence.


Previous Up Next ocaml-doc-4.05/ocaml.html/manual.css0000644000175000017500000000673413131636457016306 0ustar mehdimehdi.c000{border-spacing:0;width:80%} .c001{border-spacing:6px;border-collapse:separate;} .c002{color:blue} .c003{font-family:monospace} .c004{font-family:monospace;color:blue} .c005{font-family:monospace;font-style:italic} .c006{font-family:monospace;font-weight:bold} .c007{font-family:sans-serif} .c008{font-size:small} .c009{font-style:italic} .c010{font-style:italic;color:maroon} .c011{font-style:italic;font-weight:bold} .c012{font-style:oblique} .c013{font-weight:bold} .c014{text-align:center;border:solid 1px;white-space:nowrap} .c015{text-align:center;white-space:nowrap} .c016{text-align:left;border:solid 1px;white-space:nowrap} .c017{text-align:left;white-space:nowrap} .c018{text-align:right;white-space:nowrap} .c019{vertical-align:middle} .c020{vertical-align:top;text-align:left;} .c021{vertical-align:top;text-align:left;border:solid 1px;} .c022{vertical-align:top;text-align:left;border:solid 1px;white-space:nowrap} .c023{vertical-align:top;text-align:left;white-space:nowrap} .c024{vertical-align:top;text-align:right;white-space:nowrap} .li-itemize{margin:1ex 0ex;} .li-enumerate{margin:1ex 0ex;} .dd-description{margin:0ex 0ex 1ex 4ex;} .dt-description{margin:0ex;} .footnotetext{margin:0ex; padding:0ex;} div.footnotetext P{margin:0px; text-indent:1em;} .thefootnotes{text-align:left;margin:0ex;} .dt-thefootnotes{margin:0em;} .dd-thefootnotes{margin:0em 0em 0em 2em;} .center{text-align:center;margin-left:auto;margin-right:auto;} div table{margin-left:inherit;margin-right:inherit;margin-bottom:2px;margin-top:2px} td table{margin:auto;} table{border-collapse:collapse;} td{padding:0;} .cellpadding1 tr td{padding:1px;} pre{text-align:left;margin-left:0ex;margin-right:auto;} blockquote{margin-left:4ex;margin-right:4ex;text-align:left;} td p{margin:0px;} .hbar{border:none;height:2px;width:100%;background-color:black;} .display{border-collapse:separate;border-spacing:2px;width:auto; border:none;} .dcell{white-space:nowrap;padding:0px; border:none;} .dcenter{margin:0ex auto;} .theorem{text-align:left;margin:1ex auto 1ex 0ex;} .part{margin:2ex auto;text-align:center} a:link{color:#00A000;text-decoration:underline;} a:visited{color:#006000;text-decoration:underline;} a:hover{color:black;text-decoration:none;background-color:#7FFF7F} div.caml-output{color:maroon;} div.caml-input::before{content:"#"; color:black;} div.caml-input{color:#006000;} div.caml-example pre{margin:2ex 0px;} .li-links{margin:0ex 0ex;} a.syntax:link{color:maroon;text-decoration:underline} a.syntax:visited{color:maroon;text-decoration:underline} a.syntax:hover{color:black;text-decoration:none;background-color:#FF6060} body{background-color:white} a:link{color:#00B200;text-decoration:underline;} a:visited{color:#006600;text-decoration:underline;} a:hover{color:black;text-decoration:none;background-color:#99FF99} .part{padding:1ex;background-color:#00CC00} .section{padding:.5ex;background-color:#66FF66} .subsection{padding:0.3ex;background-color:#7FFF7F} .subsubsection{padding:0.5ex;background-color:#99FF99} .paragraph{padding:0.5ex;background-color:#CCFFCC} .chapter{padding:0.5ex;background-color:#2DE52D} .ffootnoterule{border:none;margin:1em auto 1em 0px;width:50%;background-color:#00CC00} .ftoc1{list-style:none;margin:0ex 1ex;padding:0ex 1ex;border-left:1ex solid #00CC00} .ftoc2{list-style:none;margin:1ex 1ex;padding:0ex 1ex;border-left:1ex solid #2DE52D} .ftoc3{list-style:none;margin:0ex 1ex;padding:0ex 1ex;border-left:1ex solid #66FF66} .ftoc4{list-style:none;margin:0ex 1ex;padding:0ex 1ex;border-left:1ex solid #7FFF7F} ocaml-doc-4.05/ocaml.html/objectexamples.html0000644000175000017500000022301413131636457020202 0ustar mehdimehdi Chapter 3  Objects in OCaml Previous Up Next

Chapter 3  Objects in OCaml

(Chapter written by Jérôme Vouillon, Didier Rémy and Jacques Garrigue)



This chapter gives an overview of the object-oriented features of OCaml. Note that the relation between object, class and type in OCaml is very different from that in mainstream object-oriented languages like Java or C++, so that you should not assume that similar keywords mean the same thing.

3.1 Classes and objects
3.2 Immediate objects
3.3 Reference to self
3.4 Initializers
3.5 Virtual methods
3.6 Private methods
3.7 Class interfaces
3.8 Inheritance
3.9 Multiple inheritance
3.10 Parameterized classes
3.11 Polymorphic methods
3.12 Using coercions
3.13 Functional objects
3.14 Cloning objects
3.15 Recursive classes
3.16 Binary methods
3.17 Friends

3.1  Classes and objects

The class point below defines one instance variable x and two methods get_x and move. The initial value of the instance variable is 0. The variable x is declared mutable, so the method move can change its value.

class point = object val mutable x = 0 method get_x = x method move d = x <- x + d end;;
class point : object val mutable x : int method get_x : int method move : int -> unit end

We now create a new point p, instance of the point class.

let p = new point;;
val p : point = <obj>

Note that the type of p is point. This is an abbreviation automatically defined by the class definition above. It stands for the object type <get_x : int; move : int -> unit>, listing the methods of class point along with their types.

We now invoke some methods to p:

p#get_x;;
- : int = 0
p#move 3;;
- : unit = ()
p#get_x;;
- : int = 3

The evaluation of the body of a class only takes place at object creation time. Therefore, in the following example, the instance variable x is initialized to different values for two different objects.

let x0 = ref 0;;
val x0 : int ref = {contents = 0}
class point = object val mutable x = incr x0; !x0 method get_x = x method move d = x <- x + d end;;
class point : object val mutable x : int method get_x : int method move : int -> unit end
new point#get_x;;
- : int = 1
new point#get_x;;
- : int = 2

The class point can also be abstracted over the initial values of the x coordinate.

class point = fun x_init -> object val mutable x = x_init method get_x = x method move d = x <- x + d end;;
class point : int -> object val mutable x : int method get_x : int method move : int -> unit end

Like in function definitions, the definition above can be abbreviated as:

class point x_init = object val mutable x = x_init method get_x = x method move d = x <- x + d end;;
class point : int -> object val mutable x : int method get_x : int method move : int -> unit end

An instance of the class point is now a function that expects an initial parameter to create a point object:

new point;;
- : int -> point = <fun>
let p = new point 7;;
val p : point = <obj>

The parameter x_init is, of course, visible in the whole body of the definition, including methods. For instance, the method get_offset in the class below returns the position of the object relative to its initial position.

class point x_init = object val mutable x = x_init method get_x = x method get_offset = x - x_init method move d = x <- x + d end;;
class point : int -> object val mutable x : int method get_offset : int method get_x : int method move : int -> unit end

Expressions can be evaluated and bound before defining the object body of the class. This is useful to enforce invariants. For instance, points can be automatically adjusted to the nearest point on a grid, as follows:

class adjusted_point x_init = let origin = (x_init / 10) * 10 in object val mutable x = origin method get_x = x method get_offset = x - origin method move d = x <- x + d end;;
class adjusted_point : int -> object val mutable x : int method get_offset : int method get_x : int method move : int -> unit end

(One could also raise an exception if the x_init coordinate is not on the grid.) In fact, the same effect could here be obtained by calling the definition of class point with the value of the origin.

class adjusted_point x_init = point ((x_init / 10) * 10);;
class adjusted_point : int -> point

An alternate solution would have been to define the adjustment in a special allocation function:

let new_adjusted_point x_init = new point ((x_init / 10) * 10);;
val new_adjusted_point : int -> point = <fun>

However, the former pattern is generally more appropriate, since the code for adjustment is part of the definition of the class and will be inherited.

This ability provides class constructors as can be found in other languages. Several constructors can be defined this way to build objects of the same class but with different initialization patterns; an alternative is to use initializers, as described below in section 3.4.

3.2  Immediate objects

There is another, more direct way to create an object: create it without going through a class.

The syntax is exactly the same as for class expressions, but the result is a single object rather than a class. All the constructs described in the rest of this section also apply to immediate objects.

let p = object val mutable x = 0 method get_x = x method move d = x <- x + d end;;
val p : < get_x : int; move : int -> unit > = <obj>
p#get_x;;
- : int = 0
p#move 3;;
- : unit = ()
p#get_x;;
- : int = 3

Unlike classes, which cannot be defined inside an expression, immediate objects can appear anywhere, using variables from their environment.

let minmax x y = if x < y then object method min = x method max = y end else object method min = y method max = x end;;
val minmax : 'a -> 'a -> < max : 'a; min : 'a > = <fun>

Immediate objects have two weaknesses compared to classes: their types are not abbreviated, and you cannot inherit from them. But these two weaknesses can be advantages in some situations, as we will see in sections 3.3 and 3.10.

3.3  Reference to self

A method or an initializer can send messages to self (that is, the current object). For that, self must be explicitly bound, here to the variable s (s could be any identifier, even though we will often choose the name self.)

class printable_point x_init = object (s) val mutable x = x_init method get_x = x method move d = x <- x + d method print = print_int s#get_x end;;
class printable_point : int -> object val mutable x : int method get_x : int method move : int -> unit method print : unit end
let p = new printable_point 7;;
val p : printable_point = <obj>
p#print;;
7- : unit = ()

Dynamically, the variable s is bound at the invocation of a method. In particular, when the class printable_point is inherited, the variable s will be correctly bound to the object of the subclass.

A common problem with self is that, as its type may be extended in subclasses, you cannot fix it in advance. Here is a simple example.

let ints = ref [];;
val ints : '_a list ref = {contents = []}
class my_int = object (self) method n = 1 method register = ints := self :: !ints end ;;
Error: This expression has type < n : int; register : 'a; .. > but an expression was expected of type 'b Self type cannot escape its class

You can ignore the first two lines of the error message. What matters is the last one: putting self into an external reference would make it impossible to extend it through inheritance. We will see in section 3.12 a workaround to this problem. Note however that, since immediate objects are not extensible, the problem does not occur with them.

let my_int = object (self) method n = 1 method register = ints := self :: !ints end;;
val my_int : < n : int; register : unit > = <obj>

3.4  Initializers

Let-bindings within class definitions are evaluated before the object is constructed. It is also possible to evaluate an expression immediately after the object has been built. Such code is written as an anonymous hidden method called an initializer. Therefore, it can access self and the instance variables.

class printable_point x_init = let origin = (x_init / 10) * 10 in object (self) val mutable x = origin method get_x = x method move d = x <- x + d method print = print_int self#get_x initializer print_string "new point at "; self#print; print_newline () end;;
class printable_point : int -> object val mutable x : int method get_x : int method move : int -> unit method print : unit end
let p = new printable_point 17;;
new point at 10 val p : printable_point = <obj>

Initializers cannot be overridden. On the contrary, all initializers are evaluated sequentially. Initializers are particularly useful to enforce invariants. Another example can be seen in section 5.1.

3.5  Virtual methods

It is possible to declare a method without actually defining it, using the keyword virtual. This method will be provided later in subclasses. A class containing virtual methods must be flagged virtual, and cannot be instantiated (that is, no object of this class can be created). It still defines type abbreviations (treating virtual methods as other methods.)

class virtual abstract_point x_init = object (self) method virtual get_x : int method get_offset = self#get_x - x_init method virtual move : int -> unit end;;
class virtual abstract_point : int -> object method get_offset : int method virtual get_x : int method virtual move : int -> unit end
class point x_init = object inherit abstract_point x_init val mutable x = x_init method get_x = x method move d = x <- x + d end;;
class point : int -> object val mutable x : int method get_offset : int method get_x : int method move : int -> unit end

Instance variables can also be declared as virtual, with the same effect as with methods.

class virtual abstract_point2 = object val mutable virtual x : int method move d = x <- x + d end;;
class virtual abstract_point2 : object val mutable virtual x : int method move : int -> unit end
class point2 x_init = object inherit abstract_point2 val mutable x = x_init method get_offset = x - x_init end;;
class point2 : int -> object val mutable x : int method get_offset : int method move : int -> unit end

3.6  Private methods

Private methods are methods that do not appear in object interfaces. They can only be invoked from other methods of the same object.

class restricted_point x_init = object (self) val mutable x = x_init method get_x = x method private move d = x <- x + d method bump = self#move 1 end;;
class restricted_point : int -> object val mutable x : int method bump : unit method get_x : int method private move : int -> unit end
let p = new restricted_point 0;;
val p : restricted_point = <obj>
p#move 10 ;;
Error: This expression has type restricted_point It has no method move
p#bump;;
- : unit = ()

Note that this is not the same thing as private and protected methods in Java or C++, which can be called from other objects of the same class. This is a direct consequence of the independence between types and classes in OCaml: two unrelated classes may produce objects of the same type, and there is no way at the type level to ensure that an object comes from a specific class. However a possible encoding of friend methods is given in section 3.17.

Private methods are inherited (they are by default visible in subclasses), unless they are hidden by signature matching, as described below.

Private methods can be made public in a subclass.

class point_again x = object (self) inherit restricted_point x method virtual move : _ end;;
class point_again : int -> object val mutable x : int method bump : unit method get_x : int method move : int -> unit end

The annotation virtual here is only used to mention a method without providing its definition. Since we didn’t add the private annotation, this makes the method public, keeping the original definition.

An alternative definition is

class point_again x = object (self : < move : _; ..> ) inherit restricted_point x end;;
class point_again : int -> object val mutable x : int method bump : unit method get_x : int method move : int -> unit end

The constraint on self’s type is requiring a public move method, and this is sufficient to override private.

One could think that a private method should remain private in a subclass. However, since the method is visible in a subclass, it is always possible to pick its code and define a method of the same name that runs that code, so yet another (heavier) solution would be:

class point_again x = object inherit restricted_point x as super method move = super#move end;;
class point_again : int -> object val mutable x : int method bump : unit method get_x : int method move : int -> unit end

Of course, private methods can also be virtual. Then, the keywords must appear in this order method private virtual.

3.7  Class interfaces

Class interfaces are inferred from class definitions. They may also be defined directly and used to restrict the type of a class. Like class declarations, they also define a new type abbreviation.

class type restricted_point_type = object method get_x : int method bump : unit end;;
class type restricted_point_type = object method bump : unit method get_x : int end
fun (x : restricted_point_type) -> x;;
- : restricted_point_type -> restricted_point_type = <fun>

In addition to program documentation, class interfaces can be used to constrain the type of a class. Both concrete instance variables and concrete private methods can be hidden by a class type constraint. Public methods and virtual members, however, cannot.

class restricted_point' x = (restricted_point x : restricted_point_type);;
class restricted_point' : int -> restricted_point_type

Or, equivalently:

class restricted_point' = (restricted_point : int -> restricted_point_type);;
class restricted_point' : int -> restricted_point_type

The interface of a class can also be specified in a module signature, and used to restrict the inferred signature of a module.

module type POINT = sig class restricted_point' : int -> object method get_x : int method bump : unit end end;;
module type POINT = sig class restricted_point' : int -> object method bump : unit method get_x : int end end
module Point : POINT = struct class restricted_point' = restricted_point end;;
module Point : POINT

3.8  Inheritance

We illustrate inheritance by defining a class of colored points that inherits from the class of points. This class has all instance variables and all methods of class point, plus a new instance variable c and a new method color.

class colored_point x (c : string) = object inherit point x val c = c method color = c end;;
class colored_point : int -> string -> object val c : string val mutable x : int method color : string method get_offset : int method get_x : int method move : int -> unit end
let p' = new colored_point 5 "red";;
val p' : colored_point = <obj>
p'#get_x, p'#color;;
- : int * string = (5, "red")

A point and a colored point have incompatible types, since a point has no method color. However, the function get_x below is a generic function applying method get_x to any object p that has this method (and possibly some others, which are represented by an ellipsis in the type). Thus, it applies to both points and colored points.

let get_succ_x p = p#get_x + 1;;
val get_succ_x : < get_x : int; .. > -> int = <fun>
get_succ_x p + get_succ_x p';;
- : int = 8

Methods need not be declared previously, as shown by the example:

let set_x p = p#set_x;;
val set_x : < set_x : 'a; .. > -> 'a = <fun>
let incr p = set_x p (get_succ_x p);;
val incr : < get_x : int; set_x : int -> 'a; .. > -> 'a = <fun>

3.9  Multiple inheritance

Multiple inheritance is allowed. Only the last definition of a method is kept: the redefinition in a subclass of a method that was visible in the parent class overrides the definition in the parent class. Previous definitions of a method can be reused by binding the related ancestor. Below, super is bound to the ancestor printable_point. The name super is a pseudo value identifier that can only be used to invoke a super-class method, as in super#print.

class printable_colored_point y c = object (self) val c = c method color = c inherit printable_point y as super method print = print_string "("; super#print; print_string ", "; print_string (self#color); print_string ")" end;;
class printable_colored_point : int -> string -> object val c : string val mutable x : int method color : string method get_x : int method move : int -> unit method print : unit end
let p' = new printable_colored_point 17 "red";;
new point at (10, red) val p' : printable_colored_point = <obj>
p'#print;;
(10, red)- : unit = ()

A private method that has been hidden in the parent class is no longer visible, and is thus not overridden. Since initializers are treated as private methods, all initializers along the class hierarchy are evaluated, in the order they are introduced.

3.10  Parameterized classes

Reference cells can be implemented as objects. The naive definition fails to typecheck:

class oref x_init = object val mutable x = x_init method get = x method set y = x <- y end;;
Error: Some type variables are unbound in this type: class oref : 'a -> object val mutable x : 'a method get : 'a method set : 'a -> unit end The method get has type 'a where 'a is unbound

The reason is that at least one of the methods has a polymorphic type (here, the type of the value stored in the reference cell), thus either the class should be parametric, or the method type should be constrained to a monomorphic type. A monomorphic instance of the class could be defined by:

class oref (x_init:int) = object val mutable x = x_init method get = x method set y = x <- y end;;
class oref : int -> object val mutable x : int method get : int method set : int -> unit end

Note that since immediate objects do not define a class type, they have no such restriction.

let new_oref x_init = object val mutable x = x_init method get = x method set y = x <- y end;;
val new_oref : 'a -> < get : 'a; set : 'a -> unit > = <fun>

On the other hand, a class for polymorphic references must explicitly list the type parameters in its declaration. Class type parameters are listed between [ and ]. The type parameters must also be bound somewhere in the class body by a type constraint.

class ['a] oref x_init = object val mutable x = (x_init : 'a) method get = x method set y = x <- y end;;
class ['a] oref : 'a -> object val mutable x : 'a method get : 'a method set : 'a -> unit end
let r = new oref 1 in r#set 2; (r#get);;
- : int = 2

The type parameter in the declaration may actually be constrained in the body of the class definition. In the class type, the actual value of the type parameter is displayed in the constraint clause.

class ['a] oref_succ (x_init:'a) = object val mutable x = x_init + 1 method get = x method set y = x <- y end;;
class ['a] oref_succ : 'a -> object constraint 'a = int val mutable x : int method get : int method set : int -> unit end

Let us consider a more complex example: define a circle, whose center may be any kind of point. We put an additional type constraint in method move, since no free variables must remain unaccounted for by the class type parameters.

class ['a] circle (c : 'a) = object val mutable center = c method center = center method set_center c = center <- c method move = (center#move : int -> unit) end;;
class ['a] circle : 'a -> object constraint 'a = < move : int -> unit; .. > val mutable center : 'a method center : 'a method move : int -> unit method set_center : 'a -> unit end

An alternate definition of circle, using a constraint clause in the class definition, is shown below. The type #point used below in the constraint clause is an abbreviation produced by the definition of class point. This abbreviation unifies with the type of any object belonging to a subclass of class point. It actually expands to < get_x : int; move : int -> unit; .. >. This leads to the following alternate definition of circle, which has slightly stronger constraints on its argument, as we now expect center to have a method get_x.

class ['a] circle (c : 'a) = object constraint 'a = #point val mutable center = c method center = center method set_center c = center <- c method move = center#move end;;
class ['a] circle : 'a -> object constraint 'a = #point val mutable center : 'a method center : 'a method move : int -> unit method set_center : 'a -> unit end

The class colored_circle is a specialized version of class circle that requires the type of the center to unify with #colored_point, and adds a method color. Note that when specializing a parameterized class, the instance of type parameter must always be explicitly given. It is again written between [ and ].

class ['a] colored_circle c = object constraint 'a = #colored_point inherit ['a] circle c method color = center#color end;;
class ['a] colored_circle : 'a -> object constraint 'a = #colored_point val mutable center : 'a method center : 'a method color : string method move : int -> unit method set_center : 'a -> unit end

3.11  Polymorphic methods

While parameterized classes may be polymorphic in their contents, they are not enough to allow polymorphism of method use.

A classical example is defining an iterator.

List.fold_left;;
- : ('a -> 'b -> 'a) -> 'a -> 'b list -> 'a = <fun>
class ['a] intlist (l : int list) = object method empty = (l = []) method fold f (accu : 'a) = List.fold_left f accu l end;;
class ['a] intlist : int list -> object method empty : bool method fold : ('a -> int -> 'a) -> 'a -> 'a end

At first look, we seem to have a polymorphic iterator, however this does not work in practice.

let l = new intlist [1; 2; 3];;
val l : '_a intlist = <obj>
l#fold (fun x y -> x+y) 0;;
- : int = 6
l;;
- : int intlist = <obj>
l#fold (fun s x -> s ^ string_of_int x ^ " ") "" ;;
Error: This expression has type int but an expression was expected of type string

Our iterator works, as shows its first use for summation. However, since objects themselves are not polymorphic (only their constructors are), using the fold method fixes its type for this individual object. Our next attempt to use it as a string iterator fails.

The problem here is that quantification was wrongly located: it is not the class we want to be polymorphic, but the fold method. This can be achieved by giving an explicitly polymorphic type in the method definition.

class intlist (l : int list) = object method empty = (l = []) method fold : 'a. ('a -> int -> 'a) -> 'a -> 'a = fun f accu -> List.fold_left f accu l end;;
class intlist : int list -> object method empty : bool method fold : ('a -> int -> 'a) -> 'a -> 'a end
let l = new intlist [1; 2; 3];;
val l : intlist = <obj>
l#fold (fun x y -> x+y) 0;;
- : int = 6
l#fold (fun s x -> s ^ string_of_int x ^ " ") "";;
- : string = "1 2 3 "

As you can see in the class type shown by the compiler, while polymorphic method types must be fully explicit in class definitions (appearing immediately after the method name), quantified type variables can be left implicit in class descriptions. Why require types to be explicit? The problem is that (int -> int -> int) -> int -> int would also be a valid type for fold, and it happens to be incompatible with the polymorphic type we gave (automatic instantiation only works for toplevel types variables, not for inner quantifiers, where it becomes an undecidable problem.) So the compiler cannot choose between those two types, and must be helped.

However, the type can be completely omitted in the class definition if it is already known, through inheritance or type constraints on self. Here is an example of method overriding.

class intlist_rev l = object inherit intlist l method fold f accu = List.fold_left f accu (List.rev l) end;;

The following idiom separates description and definition.

class type ['a] iterator = object method fold : ('b -> 'a -> 'b) -> 'b -> 'b end;;
class intlist l = object (self : int #iterator) method empty = (l = []) method fold f accu = List.fold_left f accu l end;;

Note here the (self : int #iterator) idiom, which ensures that this object implements the interface iterator.

Polymorphic methods are called in exactly the same way as normal methods, but you should be aware of some limitations of type inference. Namely, a polymorphic method can only be called if its type is known at the call site. Otherwise, the method will be assumed to be monomorphic, and given an incompatible type.

let sum lst = lst#fold (fun x y -> x+y) 0;;
val sum : < fold : (int -> int -> int) -> int -> 'a; .. > -> 'a = <fun>
sum l ;;
Error: This expression has type intlist but an expression was expected of type < fold : (int -> int -> int) -> int -> 'a; .. > Types for method fold are incompatible

The workaround is easy: you should put a type constraint on the parameter.

let sum (lst : _ #iterator) = lst#fold (fun x y -> x+y) 0;;
val sum : int #iterator -> int = <fun>

Of course the constraint may also be an explicit method type. Only occurences of quantified variables are required.

let sum lst = (lst : < fold : 'a. ('a -> _ -> 'a) -> 'a -> 'a; .. >)#fold (+) 0;;
val sum : < fold : 'a. ('a -> int -> 'a) -> 'a -> 'a; .. > -> int = <fun>

Another use of polymorphic methods is to allow some form of implicit subtyping in method arguments. We have already seen in section 3.8 how some functions may be polymorphic in the class of their argument. This can be extended to methods.

class type point0 = object method get_x : int end;;
class type point0 = object method get_x : int end
class distance_point x = object inherit point x method distance : 'a. (#point0 as 'a) -> int = fun other -> abs (other#get_x - x) end;;
class distance_point : int -> object val mutable x : int method distance : #point0 -> int method get_offset : int method get_x : int method move : int -> unit end
let p = new distance_point 3 in (p#distance (new point 8), p#distance (new colored_point 1 "blue"));;
- : int * int = (5, 2)

Note here the special syntax (#point0 as 'a) we have to use to quantify the extensible part of #point0. As for the variable binder, it can be omitted in class specifications. If you want polymorphism inside object field it must be quantified independently.

class multi_poly = object method m1 : 'a. (< n1 : 'b. 'b -> 'b; .. > as 'a) -> _ = fun o -> o#n1 true, o#n1 "hello" method m2 : 'a 'b. (< n2 : 'b -> bool; .. > as 'a) -> 'b -> _ = fun o x -> o#n2 x end;;
class multi_poly : object method m1 : < n1 : 'b. 'b -> 'b; .. > -> bool * string method m2 : < n2 : 'b -> bool; .. > -> 'b -> bool end

In method m1, o must be an object with at least a method n1, itself polymorphic. In method m2, the argument of n2 and x must have the same type, which is quantified at the same level as 'a.

3.12  Using coercions

Subtyping is never implicit. There are, however, two ways to perform subtyping. The most general construction is fully explicit: both the domain and the codomain of the type coercion must be given.

We have seen that points and colored points have incompatible types. For instance, they cannot be mixed in the same list. However, a colored point can be coerced to a point, hiding its color method:

let colored_point_to_point cp = (cp : colored_point :> point);;
val colored_point_to_point : colored_point -> point = <fun>
let p = new point 3 and q = new colored_point 4 "blue";;
val p : point = <obj> val q : colored_point = <obj>
let l = [p; (colored_point_to_point q)];;
val l : point list = [<obj>; <obj>]

An object of type t can be seen as an object of type t' only if t is a subtype of t'. For instance, a point cannot be seen as a colored point.

(p : point :> colored_point);;
Error: Type point = < get_offset : int; get_x : int; move : int -> unit > is not a subtype of colored_point = < color : string; get_offset : int; get_x : int; move : int -> unit >

Indeed, narrowing coercions without runtime checks would be unsafe. Runtime type checks might raise exceptions, and they would require the presence of type information at runtime, which is not the case in the OCaml system. For these reasons, there is no such operation available in the language.

Be aware that subtyping and inheritance are not related. Inheritance is a syntactic relation between classes while subtyping is a semantic relation between types. For instance, the class of colored points could have been defined directly, without inheriting from the class of points; the type of colored points would remain unchanged and thus still be a subtype of points.

The domain of a coercion can often be omitted. For instance, one can define:

let to_point cp = (cp :> point);;
val to_point : #point -> point = <fun>

In this case, the function colored_point_to_point is an instance of the function to_point. This is not always true, however. The fully explicit coercion is more precise and is sometimes unavoidable. Consider, for example, the following class:

class c0 = object method m = {< >} method n = 0 end;;
class c0 : object ('a) method m : 'a method n : int end

The object type c0 is an abbreviation for <m : 'a; n : int> as 'a. Consider now the type declaration:

class type c1 = object method m : c1 end;;
class type c1 = object method m : c1 end

The object type c1 is an abbreviation for the type <m : 'a> as 'a. The coercion from an object of type c0 to an object of type c1 is correct:

fun (x:c0) -> (x : c0 :> c1);;
- : c0 -> c1 = <fun>

However, the domain of the coercion cannot always be omitted. In that case, the solution is to use the explicit form. Sometimes, a change in the class-type definition can also solve the problem

class type c2 = object ('a) method m : 'a end;;
class type c2 = object ('a) method m : 'a end
fun (x:c0) -> (x :> c2);;
- : c0 -> c2 = <fun>

While class types c1 and c2 are different, both object types c1 and c2 expand to the same object type (same method names and types). Yet, when the domain of a coercion is left implicit and its co-domain is an abbreviation of a known class type, then the class type, rather than the object type, is used to derive the coercion function. This allows leaving the domain implicit in most cases when coercing form a subclass to its superclass. The type of a coercion can always be seen as below:

let to_c1 x = (x :> c1);;
val to_c1 : < m : #c1; .. > -> c1 = <fun>
let to_c2 x = (x :> c2);;
val to_c2 : #c2 -> c2 = <fun>

Note the difference between these two coercions: in the case of to_c2, the type #c2 = < m : 'a; .. > as 'a is polymorphically recursive (according to the explicit recursion in the class type of c2); hence the success of applying this coercion to an object of class c0. On the other hand, in the first case, c1 was only expanded and unrolled twice to obtain < m : < m : c1; .. >; .. > (remember #c1 = < m : c1; .. >), without introducing recursion. You may also note that the type of to_c2 is #c2 -> c2 while the type of to_c1 is more general than #c1 -> c1. This is not always true, since there are class types for which some instances of #c are not subtypes of c, as explained in section 3.16. Yet, for parameterless classes the coercion (_ :> c) is always more general than (_ : #c :> c).

A common problem may occur when one tries to define a coercion to a class c while defining class c. The problem is due to the type abbreviation not being completely defined yet, and so its subtypes are not clearly known. Then, a coercion (_ :> c) or (_ : #c :> c) is taken to be the identity function, as in

function x -> (x :> 'a);;
- : 'a -> 'a = <fun>

As a consequence, if the coercion is applied to self, as in the following example, the type of self is unified with the closed type c (a closed object type is an object type without ellipsis). This would constrain the type of self be closed and is thus rejected. Indeed, the type of self cannot be closed: this would prevent any further extension of the class. Therefore, a type error is generated when the unification of this type with another type would result in a closed object type.

class c = object method m = 1 end and d = object (self) inherit c method n = 2 method as_c = (self :> c) end;;
Error: This expression cannot be coerced to type c = < m : int >; it has type < as_c : c; m : int; n : int; .. > but is here used with type c Self type cannot escape its class

However, the most common instance of this problem, coercing self to its current class, is detected as a special case by the type checker, and properly typed.

class c = object (self) method m = (self :> c) end;;
class c : object method m : c end

This allows the following idiom, keeping a list of all objects belonging to a class or its subclasses:

let all_c = ref [];;
val all_c : '_a list ref = {contents = []}
class c (m : int) = object (self) method m = m initializer all_c := (self :> c) :: !all_c end;;
class c : int -> object method m : int end

This idiom can in turn be used to retrieve an object whose type has been weakened:

let rec lookup_obj obj = function [] -> raise Not_found | obj' :: l -> if (obj :> < >) = (obj' :> < >) then obj' else lookup_obj obj l ;;
val lookup_obj : < .. > -> (< .. > as 'a) list -> 'a = <fun>
let lookup_c obj = lookup_obj obj !all_c;;
val lookup_c : < .. > -> < m : int > = <fun>

The type < m : int > we see here is just the expansion of c, due to the use of a reference; we have succeeded in getting back an object of type c.


The previous coercion problem can often be avoided by first defining the abbreviation, using a class type:

class type c' = object method m : int end;;
class type c' = object method m : int end
class c : c' = object method m = 1 end and d = object (self) inherit c method n = 2 method as_c = (self :> c') end;;
class c : c' and d : object method as_c : c' method m : int method n : int end

It is also possible to use a virtual class. Inheriting from this class simultaneously forces all methods of c to have the same type as the methods of c'.

class virtual c' = object method virtual m : int end;;
class virtual c' : object method virtual m : int end
class c = object (self) inherit c' method m = 1 end;;
class c : object method m : int end

One could think of defining the type abbreviation directly:

type c' = <m : int>;;

However, the abbreviation #c' cannot be defined directly in a similar way. It can only be defined by a class or a class-type definition. This is because a #-abbreviation carries an implicit anonymous variable .. that cannot be explicitly named. The closer you get to it is:

type 'a c'_class = 'a constraint 'a = < m : int; .. >;;

with an extra type variable capturing the open object type.

3.13  Functional objects

It is possible to write a version of class point without assignments on the instance variables. The override construct {< ... >} returns a copy of “self” (that is, the current object), possibly changing the value of some instance variables.

class functional_point y = object val x = y method get_x = x method move d = {< x = x + d >} end;;
class functional_point : int -> object ('a) val x : int method get_x : int method move : int -> 'a end
let p = new functional_point 7;;
val p : functional_point = <obj>
p#get_x;;
- : int = 7
(p#move 3)#get_x;;
- : int = 10
p#get_x;;
- : int = 7

Note that the type abbreviation functional_point is recursive, which can be seen in the class type of functional_point: the type of self is 'a and 'a appears inside the type of the method move.

The above definition of functional_point is not equivalent to the following:

class bad_functional_point y = object val x = y method get_x = x method move d = new bad_functional_point (x+d) end;;
class bad_functional_point : int -> object val x : int method get_x : int method move : int -> bad_functional_point end

While objects of either class will behave the same, objects of their subclasses will be different. In a subclass of bad_functional_point, the method move will keep returning an object of the parent class. On the contrary, in a subclass of functional_point, the method move will return an object of the subclass.

Functional update is often used in conjunction with binary methods as illustrated in section 5.2.1.

3.14  Cloning objects

Objects can also be cloned, whether they are functional or imperative. The library function Oo.copy makes a shallow copy of an object. That is, it returns a new object that has the same methods and instance variables as its argument. The instance variables are copied but their contents are shared. Assigning a new value to an instance variable of the copy (using a method call) will not affect instance variables of the original, and conversely. A deeper assignment (for example if the instance variable is a reference cell) will of course affect both the original and the copy.

The type of Oo.copy is the following:

Oo.copy;;
- : (< .. > as 'a) -> 'a = <fun>

The keyword as in that type binds the type variable 'a to the object type < .. >. Therefore, Oo.copy takes an object with any methods (represented by the ellipsis), and returns an object of the same type. The type of Oo.copy is different from type < .. > -> < .. > as each ellipsis represents a different set of methods. Ellipsis actually behaves as a type variable.

let p = new point 5;;
val p : point = <obj>
let q = Oo.copy p;;
val q : point = <obj>
q#move 7; (p#get_x, q#get_x);;
- : int * int = (5, 12)

In fact, Oo.copy p will behave as p#copy assuming that a public method copy with body {< >} has been defined in the class of p.

Objects can be compared using the generic comparison functions = and <>. Two objects are equal if and only if they are physically equal. In particular, an object and its copy are not equal.

let q = Oo.copy p;;
val q : point = <obj>
p = q, p = p;;
- : bool * bool = (false, true)

Other generic comparisons such as (<, <=, ...) can also be used on objects. The relation < defines an unspecified but strict ordering on objects. The ordering relationship between two objects is fixed once for all after the two objects have been created and it is not affected by mutation of fields.

Cloning and override have a non empty intersection. They are interchangeable when used within an object and without overriding any field:

class copy = object method copy = {< >} end;;
class copy : object ('a) method copy : 'a end
class copy = object (self) method copy = Oo.copy self end;;
class copy : object ('a) method copy : 'a end

Only the override can be used to actually override fields, and only the Oo.copy primitive can be used externally.

Cloning can also be used to provide facilities for saving and restoring the state of objects.

class backup = object (self : 'mytype) val mutable copy = None method save = copy <- Some {< copy = None >} method restore = match copy with Some x -> x | None -> self end;;
class backup : object ('a) val mutable copy : 'a option method restore : 'a method save : unit end

The above definition will only backup one level. The backup facility can be added to any class by using multiple inheritance.

class ['a] backup_ref x = object inherit ['a] oref x inherit backup end;;
class ['a] backup_ref : 'a -> object ('b) val mutable copy : 'b option val mutable x : 'a method get : 'a method restore : 'b method save : unit method set : 'a -> unit end
let rec get p n = if n = 0 then p # get else get (p # restore) (n-1);;
val get : (< get : 'b; restore : 'a; .. > as 'a) -> int -> 'b = <fun>
let p = new backup_ref 0 in p # save; p # set 1; p # save; p # set 2; [get p 0; get p 1; get p 2; get p 3; get p 4];;
- : int list = [2; 1; 1; 1; 1]

We can define a variant of backup that retains all copies. (We also add a method clear to manually erase all copies.)

class backup = object (self : 'mytype) val mutable copy = None method save = copy <- Some {< >} method restore = match copy with Some x -> x | None -> self method clear = copy <- None end;;
class backup : object ('a) val mutable copy : 'a option method clear : unit method restore : 'a method save : unit end
class ['a] backup_ref x = object inherit ['a] oref x inherit backup end;;
class ['a] backup_ref : 'a -> object ('b) val mutable copy : 'b option val mutable x : 'a method clear : unit method get : 'a method restore : 'b method save : unit method set : 'a -> unit end
let p = new backup_ref 0 in p # save; p # set 1; p # save; p # set 2; [get p 0; get p 1; get p 2; get p 3; get p 4];;
- : int list = [2; 1; 0; 0; 0]

3.15  Recursive classes

Recursive classes can be used to define objects whose types are mutually recursive.

class window = object val mutable top_widget = (None : widget option) method top_widget = top_widget end and widget (w : window) = object val window = w method window = window end;;
class window : object val mutable top_widget : widget option method top_widget : widget option end and widget : window -> object val window : window method window : window end

Although their types are mutually recursive, the classes widget and window are themselves independent.

3.16  Binary methods

A binary method is a method which takes an argument of the same type as self. The class comparable below is a template for classes with a binary method leq of type 'a -> bool where the type variable 'a is bound to the type of self. Therefore, #comparable expands to < leq : 'a -> bool; .. > as 'a. We see here that the binder as also allows writing recursive types.

class virtual comparable = object (_ : 'a) method virtual leq : 'a -> bool end;;
class virtual comparable : object ('a) method virtual leq : 'a -> bool end

We then define a subclass money of comparable. The class money simply wraps floats as comparable objects. We will extend it below with more operations. We have to use a type constraint on the class parameter x because the primitive <= is a polymorphic function in OCaml. The inherit clause ensures that the type of objects of this class is an instance of #comparable.

class money (x : float) = object inherit comparable val repr = x method value = repr method leq p = repr <= p#value end;;
class money : float -> object ('a) val repr : float method leq : 'a -> bool method value : float end

Note that the type money is not a subtype of type comparable, as the self type appears in contravariant position in the type of method leq. Indeed, an object m of class money has a method leq that expects an argument of type money since it accesses its value method. Considering m of type comparable would allow a call to method leq on m with an argument that does not have a method value, which would be an error.

Similarly, the type money2 below is not a subtype of type money.

class money2 x = object inherit money x method times k = {< repr = k *. repr >} end;;
class money2 : float -> object ('a) val repr : float method leq : 'a -> bool method times : float -> 'a method value : float end

It is however possible to define functions that manipulate objects of type either money or money2: the function min will return the minimum of any two objects whose type unifies with #comparable. The type of min is not the same as #comparable -> #comparable -> #comparable, as the abbreviation #comparable hides a type variable (an ellipsis). Each occurrence of this abbreviation generates a new variable.

let min (x : #comparable) y = if x#leq y then x else y;;
val min : (#comparable as 'a) -> 'a -> 'a = <fun>

This function can be applied to objects of type money or money2.

(min (new money 1.3) (new money 3.1))#value;;
- : float = 1.3
(min (new money2 5.0) (new money2 3.14))#value;;
- : float = 3.14

More examples of binary methods can be found in sections 5.2.1 and 5.2.3.

Note the use of override for method times. Writing new money2 (k *. repr) instead of {< repr = k *. repr >} would not behave well with inheritance: in a subclass money3 of money2 the times method would return an object of class money2 but not of class money3 as would be expected.

The class money could naturally carry another binary method. Here is a direct definition:

class money x = object (self : 'a) val repr = x method value = repr method print = print_float repr method times k = {< repr = k *. x >} method leq (p : 'a) = repr <= p#value method plus (p : 'a) = {< repr = x +. p#value >} end;;
class money : float -> object ('a) val repr : float method leq : 'a -> bool method plus : 'a -> 'a method print : unit method times : float -> 'a method value : float end

3.17  Friends

The above class money reveals a problem that often occurs with binary methods. In order to interact with other objects of the same class, the representation of money objects must be revealed, using a method such as value. If we remove all binary methods (here plus and leq), the representation can easily be hidden inside objects by removing the method value as well. However, this is not possible as soon as some binary method requires access to the representation of objects of the same class (other than self).

class safe_money x = object (self : 'a) val repr = x method print = print_float repr method times k = {< repr = k *. x >} end;;
class safe_money : float -> object ('a) val repr : float method print : unit method times : float -> 'a end

Here, the representation of the object is known only to a particular object. To make it available to other objects of the same class, we are forced to make it available to the whole world. However we can easily restrict the visibility of the representation using the module system.

module type MONEY = sig type t class c : float -> object ('a) val repr : t method value : t method print : unit method times : float -> 'a method leq : 'a -> bool method plus : 'a -> 'a end end;;
module Euro : MONEY = struct type t = float class c x = object (self : 'a) val repr = x method value = repr method print = print_float repr method times k = {< repr = k *. x >} method leq (p : 'a) = repr <= p#value method plus (p : 'a) = {< repr = x +. p#value >} end end;;

Another example of friend functions may be found in section 5.2.3. These examples occur when a group of objects (here objects of the same class) and functions should see each others internal representation, while their representation should be hidden from the outside. The solution is always to define all friends in the same module, give access to the representation and use a signature constraint to make the representation abstract outside the module.


Previous Up Next ocaml-doc-4.05/ocaml.html/libbigarray.html0000644000175000017500000002475313131636457017475 0ustar mehdimehdi Chapter 32  The bigarray library Previous Up Next

Chapter 32  The bigarray library

The bigarray library implements large, multi-dimensional, numerical arrays. These arrays are called “big arrays” to distinguish them from the standard OCaml arrays described in Module Array. The main differences between “big arrays” and standard OCaml arrays are as follows:

Programs that use the bigarray library must be linked as follows:

        ocamlc other options bigarray.cma other files
        ocamlopt other options bigarray.cmxa other files

For interactive use of the bigarray library, do:

        ocamlmktop -o mytop bigarray.cma
        ./mytop

or (if dynamic linking of C libraries is supported on your platform), start ocaml and type #load "bigarray.cma";;.

32.1  Module Bigarray: large, multi-dimensional, numerical arrays

32.2  Big arrays in the OCaml-C interface

C stub code that interface C or Fortran code with OCaml code, as described in chapter 19, can exploit big arrays as follows.

32.2.1  Include file

The include file <caml/bigarray.h> must be included in the C stub file. It declares the functions, constants and macros discussed below.

32.2.2  Accessing an OCaml bigarray from C or Fortran

If v is a OCaml value representing a big array, the expression Caml_ba_data_val(v) returns a pointer to the data part of the array. This pointer is of type void * and can be cast to the appropriate C type for the array (e.g. double [], char [][10], etc).

Various characteristics of the OCaml big array can be consulted from C as follows:

C expressionReturns
Caml_ba_array_val(v)->num_dimsnumber of dimensions
Caml_ba_array_val(v)->dim[i]i-th dimension
Caml_ba_array_val(v)->flags & BIGARRAY_KIND_MASKkind of array elements

The kind of array elements is one of the following constants:

ConstantElement kind
CAML_BA_FLOAT3232-bit single-precision floats
CAML_BA_FLOAT6464-bit double-precision floats
CAML_BA_SINT88-bit signed integers
CAML_BA_UINT88-bit unsigned integers
CAML_BA_SINT1616-bit signed integers
CAML_BA_UINT1616-bit unsigned integers
CAML_BA_INT3232-bit signed integers
CAML_BA_INT6464-bit signed integers
CAML_BA_CAML_INT31- or 63-bit signed integers
CAML_BA_NATIVE_INT32- or 64-bit (platform-native) integers

The following example shows the passing of a two-dimensional big array to a C function and a Fortran function.

    extern void my_c_function(double * data, int dimx, int dimy);
    extern void my_fortran_function_(double * data, int * dimx, int * dimy);

    value caml_stub(value bigarray)
    {
      int dimx = Caml_ba_array_val(bigarray)->dim[0];
      int dimy = Caml_ba_array_val(bigarray)->dim[1];
      /* C passes scalar parameters by value */
      my_c_function(Caml_ba_data_val(bigarray), dimx, dimy);
      /* Fortran passes all parameters by reference */
      my_fortran_function_(Caml_ba_data_val(bigarray), &dimx, &dimy);
      return Val_unit;
    }

32.2.3  Wrapping a C or Fortran array as an OCaml big array

A pointer p to an already-allocated C or Fortran array can be wrapped and returned to OCaml as a big array using the caml_ba_alloc or caml_ba_alloc_dims functions.

The following example illustrates how statically-allocated C and Fortran arrays can be made available to OCaml.

    extern long my_c_array[100][200];
    extern float my_fortran_array_[300][400];

    value caml_get_c_array(value unit)
    {
      long dims[2];
      dims[0] = 100; dims[1] = 200;
      return caml_ba_alloc(CAML_BA_NATIVE_INT | CAML_BA_C_LAYOUT,
                           2, my_c_array, dims);
    }

    value caml_get_fortran_array(value unit)
    {
      return caml_ba_alloc_dims(CAML_BA_FLOAT32 | CAML_BA_FORTRAN_LAYOUT,
                                2, my_fortran_array_, 300L, 400L);
    }

Previous Up Next ocaml-doc-4.05/ocaml.html/next_motif.gif0000644000175000017500000000047513131636457017156 0ustar mehdimehdiGIF89app!# Imported from XPM image: next.xpm!,@63333B! 0 A0 0 0  0 `0 `0 A @ `0 `00000000000000000000000000000000000000000000  000000 0000000000000000000000000000` ;ocaml-doc-4.05/ocaml.html/classes.html0000644000175000017500000013677113131636457016647 0ustar mehdimehdi 6.9  Classes Previous Up Next

6.9  Classes

Classes are defined using a small language, similar to the module language.

6.9.1  Class types

Class types are the class-level equivalent of type expressions: they specify the general shape and type properties of classes.

class-type::= [[?]label-name:]  typexpr ->  class-type  
    class-body-type  
 
class-body-type::= object [( typexpr )]  {class-field-specend  
   [[ typexpr  {, typexpr]]  classtype-path  
 
class-field-spec::= inherit class-body-type  
   val [mutable] [virtualinst-var-name :  typexpr  
   val virtual mutable inst-var-name :  typexpr  
   method [private] [virtualmethod-name :  poly-typexpr  
   method virtual private method-name :  poly-typexpr  
   constraint typexpr =  typexpr

See also the following language extensions: attributes and extension nodes.

Simple class expressions

The expression classtype-path is equivalent to the class type bound to the name classtype-path. Similarly, the expression [ typexpr1 , …  typexprn ]  classtype-path is equivalent to the parametric class type bound to the name classtype-path, in which type parameters have been instantiated to respectively typexpr1, …typexprn.

Class function type

The class type expression typexpr ->  class-type is the type of class functions (functions from values to classes) that take as argument a value of type typexpr and return as result a class of type class-type.

Class body type

The class type expression object [( typexpr )]  {class-field-spec} end is the type of a class body. It specifies its instance variables and methods. In this type, typexpr is matched against the self type, therefore providing a name for the self type.

A class body will match a class body type if it provides definitions for all the components specified in the class body type, and these definitions meet the type requirements given in the class body type. Furthermore, all methods either virtual or public present in the class body must also be present in the class body type (on the other hand, some instance variables and concrete private methods may be omitted). A virtual method will match a concrete method, which makes it possible to forget its implementation. An immutable instance variable will match a mutable instance variable.

Inheritance

The inheritance construct inherit class-body-type provides for inclusion of methods and instance variables from other class types. The instance variable and method types from class-body-type are added into the current class type.

Instance variable specification

A specification of an instance variable is written val [mutable] [virtual] inst-var-name :  typexpr, where inst-var-name is the name of the instance variable and typexpr its expected type. The flag mutable indicates whether this instance variable can be physically modified. The flag virtual indicates that this instance variable is not initialized. It can be initialized later through inheritance.

An instance variable specification will hide any previous specification of an instance variable of the same name.

Method specification

The specification of a method is written method [private] method-name :  poly-typexpr, where method-name is the name of the method and poly-typexpr its expected type, possibly polymorphic. The flag private indicates that the method cannot be accessed from outside the object.

The polymorphism may be left implicit in public method specifications: any type variable which is not bound to a class parameter and does not appear elsewhere inside the class specification will be assumed to be universal, and made polymorphic in the resulting method type. Writing an explicit polymorphic type will disable this behaviour.

If several specifications are present for the same method, they must have compatible types. Any non-private specification of a method forces it to be public.

Virtual method specification

A virtual method specification is written method [private] virtual method-name :  poly-typexpr, where method-name is the name of the method and poly-typexpr its expected type.

Constraints on type parameters

The construct constraint typexpr1 =  typexpr2 forces the two type expressions to be equal. This is typically used to specify type parameters: in this way, they can be bound to specific type expressions.

6.9.2  Class expressions

Class expressions are the class-level equivalent of value expressions: they evaluate to classes, thus providing implementations for the specifications expressed in class types.

class-expr::= class-path  
   [ typexpr  {, typexpr]  class-path  
   ( class-expr )  
   ( class-expr :  class-type )  
   class-expr  {argument}+  
   fun {parameter}+ ->  class-expr  
   let [reclet-binding  {and let-bindingin  class-expr  
   object class-body end  
 
class-field::= inherit class-expr  [as lowercase-ident]  
   val [mutableinst-var-name  [: typexpr=  expr  
   val [mutablevirtual inst-var-name :  typexpr  
   val virtual mutable inst-var-name :  typexpr  
   method [privatemethod-name  {parameter}  [: typexpr=  expr  
   method [privatemethod-name :  poly-typexpr =  expr  
   method [privatevirtual method-name :  poly-typexpr  
   method virtual private method-name :  poly-typexpr  
   constraint typexpr =  typexpr  
   initializer expr

See also the following language extensions: locally abstract types, explicit overriding in class definitions, attributes and extension nodes.

Simple class expressions

The expression class-path evaluates to the class bound to the name class-path. Similarly, the expression [ typexpr1 , …  typexprn ]  class-path evaluates to the parametric class bound to the name class-path, in which type parameters have been instantiated respectively to typexpr1, …typexprn.

The expression ( class-expr ) evaluates to the same module as class-expr.

The expression ( class-expr :  class-type ) checks that class-type matches the type of class-expr (that is, that the implementation class-expr meets the type specification class-type). The whole expression evaluates to the same class as class-expr, except that all components not specified in class-type are hidden and can no longer be accessed.

Class application

Class application is denoted by juxtaposition of (possibly labeled) expressions. It denotes the class whose constructor is the first expression applied to the given arguments. The arguments are evaluated as for expression application, but the constructor itself will only be evaluated when objects are created. In particular, side-effects caused by the application of the constructor will only occur at object creation time.

Class function

The expression fun [[?]label-name:pattern ->  class-expr evaluates to a function from values to classes. When this function is applied to a value v, this value is matched against the pattern pattern and the result is the result of the evaluation of class-expr in the extended environment.

Conversion from functions with default values to functions with patterns only works identically for class functions as for normal functions.

The expression

fun parameter1 …  parametern ->  class-expr

is a short form for

fun parameter1 ->fun  parametern ->  expr

Local definitions

The let and let rec constructs bind value names locally, as for the core language expressions.

If a local definition occurs at the very beginning of a class definition, it will be evaluated when the class is created (just as if the definition was outside of the class). Otherwise, it will be evaluated when the object constructor is called.

Class body

class-body::=  [( pattern  [: typexpr)]  { class-field }

The expression object class-body end denotes a class body. This is the prototype for an object : it lists the instance variables and methods of an objet of this class.

A class body is a class value: it is not evaluated at once. Rather, its components are evaluated each time an object is created.

In a class body, the pattern ( pattern  [: typexpr] ) is matched against self, therefore providing a binding for self and self type. Self can only be used in method and initializers.

Self type cannot be a closed object type, so that the class remains extensible.

Since OCaml 4.01, it is an error if the same method or instance variable name is defined several times in the same class body.

Inheritance

The inheritance construct inherit class-expr allows reusing methods and instance variables from other classes. The class expression class-expr must evaluate to a class body. The instance variables, methods and initializers from this class body are added into the current class. The addition of a method will override any previously defined method of the same name.

An ancestor can be bound by appending as lowercase-ident to the inheritance construct. lowercase-ident is not a true variable and can only be used to select a method, i.e. in an expression lowercase-ident #  method-name. This gives access to the method method-name as it was defined in the parent class even if it is redefined in the current class. The scope of this ancestor binding is limited to the current class. The ancestor method may be called from a subclass but only indirectly.

Instance variable definition

The definition val [mutable] inst-var-name =  expr adds an instance variable inst-var-name whose initial value is the value of expression expr. The flag mutable allows physical modification of this variable by methods.

An instance variable can only be used in the methods and initializers that follow its definition.

Since version 3.10, redefinitions of a visible instance variable with the same name do not create a new variable, but are merged, using the last value for initialization. They must have identical types and mutability. However, if an instance variable is hidden by omitting it from an interface, it will be kept distinct from other instance variables with the same name.

Virtual instance variable definition

A variable specification is written val [mutable] virtual inst-var-name :  typexpr. It specifies whether the variable is modifiable, and gives its type.

Virtual instance variables were added in version 3.10.

Method definition

A method definition is written method method-name =  expr. The definition of a method overrides any previous definition of this method. The method will be public (that is, not private) if any of the definition states so.

A private method, method private method-name =  expr, is a method that can only be invoked on self (from other methods of the same object, defined in this class or one of its subclasses). This invocation is performed using the expression value-name #  method-name, where value-name is directly bound to self at the beginning of the class definition. Private methods do not appear in object types. A method may have both public and private definitions, but as soon as there is a public one, all subsequent definitions will be made public.

Methods may have an explicitly polymorphic type, allowing them to be used polymorphically in programs (even for the same object). The explicit declaration may be done in one of three ways: (1) by giving an explicit polymorphic type in the method definition, immediately after the method name, i.e. method [private] method-name :  {' ident}+ .  typexpr =  expr; (2) by a forward declaration of the explicit polymorphic type through a virtual method definition; (3) by importing such a declaration through inheritance and/or constraining the type of self.

Some special expressions are available in method bodies for manipulating instance variables and duplicating self:

expr::= …  
  inst-var-name <-  expr  
  {< [ inst-var-name =  expr  { ; inst-var-name =  expr }  [;] ] >}

The expression inst-var-name <-  expr modifies in-place the current object by replacing the value associated to inst-var-name by the value of expr. Of course, this instance variable must have been declared mutable.

The expression {< inst-var-name1 =  expr1 ;;  inst-var-namen =  exprn >} evaluates to a copy of the current object in which the values of instance variables inst-var-name1, …,  inst-var-namen have been replaced by the values of the corresponding expressions expr1, …,  exprn.

Virtual method definition

A method specification is written method [private] virtual method-name :  poly-typexpr. It specifies whether the method is public or private, and gives its type. If the method is intended to be polymorphic, the type must be explicitly polymorphic.

Constraints on type parameters

The construct constraint typexpr1 =  typexpr2 forces the two type expressions to be equals. This is typically used to specify type parameters: in that way they can be bound to specific type expressions.

Initializers

A class initializer initializer expr specifies an expression that will be evaluated whenever an object is created from the class, once all its instance variables have been initialized.

6.9.3  Class definitions

class-definition::= class class-binding  { and class-binding }  
 
class-binding::= [virtual] [[ type-parameters ]]  class-name  {parameter}  [: class-type]  =  class-expr  
 
type-parameters::= ' ident  { , ' ident }

A class definition class class-binding  { and class-binding } is recursive. Each class-binding defines a class-name that can be used in the whole expression except for inheritance. It can also be used for inheritance, but only in the definitions that follow its own.

A class binding binds the class name class-name to the value of expression class-expr. It also binds the class type class-name to the type of the class, and defines two type abbreviations : class-name and # class-name. The first one is the type of objects of this class, while the second is more general as it unifies with the type of any object belonging to a subclass (see section 6.4).

Virtual class

A class must be flagged virtual if one of its methods is virtual (that is, appears in the class type, but is not actually defined). Objects cannot be created from a virtual class.

Type parameters

The class type parameters correspond to the ones of the class type and of the two type abbreviations defined by the class binding. They must be bound to actual types in the class definition using type constraints. So that the abbreviations are well-formed, type variables of the inferred type of the class must either be type parameters or be bound in the constraint clause.

6.9.4  Class specifications

class-specification::= class class-spec  { and class-spec }  
 
class-spec::= [virtual] [[ type-parameters ]]  class-name :  class-type

This is the counterpart in signatures of class definitions. A class specification matches a class definition if they have the same type parameters and their types match.

6.9.5  Class type definitions

classtype-definition::= class type classtype-def  { and classtype-def }  
 
classtype-def::= [virtual] [[ type-parameters ]]  class-name =  class-body-type

A class type definition class class-name =  class-body-type defines an abbreviation class-name for the class body type class-body-type. As for class definitions, two type abbreviations class-name and # class-name are also defined. The definition can be parameterized by some type parameters. If any method in the class type body is virtual, the definition must be flagged virtual.

Two class type definitions match if they have the same type parameters and they expand to matching types.


Previous Up Next ocaml-doc-4.05/ocaml.html/flambda.html0000644000175000017500000022031513131636457016564 0ustar mehdimehdi Chapter 20  Optimisation with Flambda Previous Up Next

Chapter 20  Optimisation with Flambda

20.1  Overview

Flambda is the term used to describe a series of optimisation passes provided by the native code compilers as of OCaml 4.03.

Flambda aims to make it easier to write idiomatic OCaml code without incurring performance penalties.

To use the Flambda optimisers it is necessary to pass the -flambda option to the OCaml configure script. (There is no support for a single compiler that can operate in both Flambda and non-Flambda modes.) Code compiled with Flambda cannot be linked into the same program as code compiled without Flambda. Attempting to do this will result in a compiler error.

Whether or not a particular ocamlopt uses Flambda may be determined by invoking it with the -config option and looking for any line starting with “flambda:”. If such a line is present and says “true”, then Flambda is supported, otherwise it is not.

Flambda provides full optimisation across different compilation units, so long as the .cmx files for the dependencies of the unit currently being compiled are available. (A compilation unit corresponds to a single .ml source file.) However it does not yet act entirely as a whole-program compiler: for example, elimination of dead code across a complete set of compilation units is not supported.

Optimisation with Flambda is not currently supported when generating bytecode.

Flambda should not in general affect the semantics of existing programs. Two exceptions to this rule are: possible elimination of pure code that is being benchmarked (see section 20.14) and changes in behaviour of code using unsafe operations (see section 20.15).

Flambda does not yet optimise array or string bounds checks. Neither does it take hints for optimisation from any assertions written by the user in the code.

Consult the Glossary at the end of this chapter for definitions of technical terms used below.

20.2  Command-line flags

The Flambda optimisers provide a variety of command-line flags that may be used to control their behaviour. Detailed descriptions of each flag are given in the referenced sections. Those sections also describe any arguments which the particular flags take.

Commonly-used options:

-O2
Perform more optimisation than usual. Compilation times may be lengthened. (This flag is an abbreviation for a certain set of parameters described in section 20.5.)
-O3
Perform even more optimisation than usual, possibly including unrolling of recursive functions. Compilation times may be significantly lengthened.
-Oclassic
Make inlining decisions at the point of definition of a function rather than at the call site(s). This mirrors the behaviour of OCaml compilers not using Flambda. Compared to compilation using the new Flambda inlining heuristics (for example at -O2) it produces smaller .cmx files, shorter compilation times and code that probably runs rather slower. When using -Oclassic, only the following options described in this section are relevant: -inlining-report and -inline. If any other of the options described in this section are used, the behaviour is undefined and may cause an error in future versions of the compiler.
-inlining-report
Emit .inlining files (one per round of optimisation) showing all of the inliner’s decisions.

Less commonly-used options:

-remove-unused-arguments
Remove unused function arguments even when the argument is not specialised. This may have a small performance penalty. See section 20.10.3.
-unbox-closures
Pass free variables via specialised arguments rather than closures (an optimisation for reducing allocation). See section 20.9.3. This may have a small performance penalty.

Advanced options, only needed for detailed tuning:

-inline
The behaviour depends on whether -Oclassic is used.
-inline-toplevel
The equivalent of -inline but used when speculative inlining starts at toplevel. See section 20.3.6. Not used in -Oclassic mode.
-inline-branch-factor
Controls how the inliner assesses whether a code path is likely to be hot or cold. See section 20.3.5.
-inline-alloc-cost, -inline-branch-cost, -inline-call-cost
Controls how the inliner assesses the runtime performance penalties associated with various operations. See section 20.3.5.
-inline-indirect-cost, -inline-prim-cost
Likewise.
-inline-lifting-benefit
Controls inlining of functors at toplevel. See section 20.3.5.
-inline-max-depth
The maximum depth of any speculative inlining search. See section 20.3.6.
-inline-max-unroll
The maximum depth of any unrolling of recursive functions during any speculative inlining search. See section 20.3.6.
-no-unbox-free-vars-of-closures
Do not unbox closure variables. See section 20.9.1.
-no-unbox-specialised-args
Do not unbox arguments to which functions have been specialised. See section 20.9.2.
-rounds
How many rounds of optimisation to perform. See section 20.2.1.
-unbox-closures-factor
Scaling factor for benefit calculation when using -unbox-closures. See section 20.9.3.
Notes

20.2.1  Specification of optimisation parameters by round

Flambda operates in rounds: one round consists of a certain sequence of transformations that may then be repeated in order to achieve more satisfactory results. The number of rounds can be set manually using the -rounds parameter (although this is not necessary when using predefined optimisation levels such as with -O2 and -O3). For high optimisation the number of rounds might be set at 3 or 4.

Command-line flags that may apply per round, for example those with -cost in the name, accept arguments of the form:

n | round=n[,...]

The flags -Oclassic, -O2 and -O3 are applied before all other flags, meaning that certain parameters may be overridden without having to specify every parameter usually invoked by the given optimisation level.

20.3  Inlining

Inlining refers to the copying of the code of a function to a place where the function is called. The code of the function will be surrounded by bindings of its parameters to the corresponding arguments.

The aims of inlining are:

These goals are often reached not just by inlining itself but also by other optimisations that the compiler is able to perform as a result of inlining.

When a recursive call to a function (within the definition of that function or another in the same mutually-recursive group) is inlined, the procedure is also known as unrolling. This is somewhat akin to loop peeling. For example, given the following code:

let rec fact x =
  if x = 0 then
    1
  else
    x * fact (x - 1)

let n = fact 4

unrolling once at the call site fact 4 produces (with the body of fact unchanged):

let n =
  if 4 = 0 then
    1
  else
    4 * fact (4 - 1)

This simplifies to:

let n = 4 * fact 3

Flambda provides significantly enhanced inlining capabilities relative to previous versions of the compiler.

Aside: when inlining is performed

Inlining is performed together with all of the other Flambda optimisation passes, that is to say, after closure conversion. This has three particular advantages over a potentially more straightforward implementation prior to closure conversion:

20.3.1  Classic inlining heuristic

In -Oclassic mode the behaviour of the Flambda inliner mimics previous versions of the compiler. (Code may still be subject to further optimisations not performed by previous versions of the compiler: functors may be inlined, constants are lifted and unused code is eliminated all as described elsewhere in this chapter. See sections 20.3.3, 20.8.1 and 20.10. At the definition site of a function, the body of the function is measured. It will then be marked as eligible for inlining (and hence inlined at every direct call site) if:

Non-Flambda versions of the compiler cannot inline functions that contain a definition of another function. However -Oclassic does permit this. Further, non-Flambda versions also cannot inline functions that are only themselves exposed as a result of a previous pass of inlining, but again this is permitted by -Oclassic. For example:

module M : sig
  val i : int
end = struct
  let f x =
    let g y = x + y in
    g
  let h = f 3
  let i = h 4  (* h is correctly discovered to be g and inlined *)
end

All of this contrasts with the normal Flambda mode, that is to say without -Oclassic, where:

The Flambda mode is described in the next section.

20.3.2  Overview of “Flambda” inlining heuristics

The Flambda inlining heuristics, used whenever the compiler is configured for Flambda and -Oclassic was not specified, make inlining decisions at call sites. This helps in situations where the context is important. For example:

let f b x =
  if b then
    x
  else
    ... big expression ...

let g x = f true x

In this case, we would like to inline f into g, because a conditional jump can be eliminated and the code size should reduce. If the inlining decision has been made after the declaration of f without seeing the use, its size would have probably made it ineligible for inlining; but at the call site, its final size can be known. Further, this function should probably not be inlined systematically: if b is unknown, or indeed false, there is little benefit to trade off against a large increase in code size. In the existing non-Flambda inliner this isn’t a great problem because chains of inlining were cut off fairly quickly. However it has led to excessive use of overly-large inlining parameters such as -inline 10000.

In more detail, at each call site the following procedure is followed:

Inlining within recursive functions of calls to other functions in the same mutually-recursive group is kept in check by an unrolling depth, described below. This ensures that functions are not unrolled to excess. (Unrolling is only enabled if -O3 optimisation level is selected and/or the -inline-max-unroll flag is passed with an argument greater than zero.)

20.3.3  Handling of specific language constructs

Functors

There is nothing particular about functors that inhibits inlining compared to normal functions. To the inliner, these both look the same, except that functors are marked as such.

Applications of functors at toplevel are biased in favour of inlining. (This bias may be adjusted: see the documentation for -inline-lifting-benefit below.)

Applications of functors not at toplevel, for example in a local module inside some other expression, are treated by the inliner identically to normal function calls.

First-class modules

The inliner will be able to consider inlining a call to a function in a first class module if it knows which particular function is going to be called. The presence of the first-class module record that wraps the set of functions in the module does not per se inhibit inlining.

Objects

Method calls to objects are not at present inlined by Flambda.

20.3.4  Inlining reports

If the -inlining-report option is provided to the compiler then a file will be emitted corresponding to each round of optimisation. For the OCaml source file basename.ml the files are named basename.round.inlining.org, with round a zero-based integer. Inside the files, which are formatted as “org mode”, will be found English prose describing the decisions that the inliner took.

20.3.5  Assessment of inlining benefit

Inlining typically results in an increase in code size, which if left unchecked, may not only lead to grossly large executables and excessive compilation times but also a decrease in performance due to worse locality. As such, the Flambda inliner trades off the change in code size against the expected runtime performance benefit, with the benefit being computed based on the number of operations that the compiler observes may be removed as a result of inlining.

For example given the following code:

let f b x =
  if b then
    x
  else
    ... big expression ...

let g x = f true x

it would be observed that inlining of f would remove:

Formally, an estimate of runtime performance benefit is computed by first summing the cost of the operations that are known to be removed as a result of the inlining and subsequent simplification of the inlined body. The individual costs for the various kinds of operations may be adjusted using the various -inline-...-cost flags as follows. Costs are specified as integers. All of these flags accept a single argument describing such integers using the conventions detailed in section 20.2.1.

-inline-alloc-cost
The cost of an allocation.
-inline-branch-cost
The cost of a branch.
-inline-call-cost
The cost of a direct function call.
-inline-indirect-cost
The cost of an indirect function call.
-inline-prim-cost
The cost of a primitive. Primitives encompass operations including arithmetic and memory access.

(Default values are described in section 20.5 below.)

The initial benefit value is then scaled by a factor that attempts to compensate for the fact that the current point in the code, if under some number of conditional branches, may be cold. (Flambda does not currently compute hot and cold paths.) The factor—the estimated probability that the inliner really is on a hot path—is calculated as (1/1 + f)d, where f is set by -inline-branch-factor and d is the nesting depth of branches at the current point. As the inliner descends into more deeply-nested branches, the benefit of inlining thus lessens.

The resulting benefit value is known as the estimated benefit.

The change in code size is also estimated: morally speaking it should be the change in machine code size, but since that is not available to the inliner, an approximation is used.

If the estimated benefit exceeds the increase in code size then the inlined version of the function will be kept. Otherwise the function will not be inlined.

Applications of functors at toplevel will be given an additional benefit (which may be controlled by the -inline-lifting-benefit flag) to bias inlining in such situations towards keeping the inlined version.

20.3.6  Control of speculation

As described above, there are three parameters that restrict the search for inlining opportunities during speculation:

These parameters are ultimately bounded by the arguments provided to the corresponding command-line flags (or their default values):

Note in particular that -inline does not have the meaning that it has in the previous compiler or in -Oclassic mode. In both of those situations -inline was effectively some kind of basic assessment of inlining benefit. However in Flambda inlining mode it corresponds to a constraint on the search; the assessment of benefit is independent, as described above.

When speculation starts the inlining threshold starts at the value set by -inline (or -inline-toplevel if appropriate, see above). Upon making a speculative inlining decision the threshold is reduced by the code size of the function being inlined. If the threshold becomes exhausted, at or below zero, no further speculation will be performed.

The inlining depth starts at zero and is increased by one every time the inliner descends into another function. It is then decreased by one every time the inliner leaves such function. If the depth exceeds the value set by -inline-max-depth then speculation stops. This parameter is intended as a general backstop for situations where the inlining threshold does not control the search sufficiently.

The unrolling depth applies to calls within the same mutually-recursive group of functions. Each time an inlining of such a call is performed the depth is incremented by one when examining the resulting body. If the depth reaches the limit set by -inline-max-unroll then speculation stops.

20.4  Specialisation

The inliner may discover a call site to a recursive function where something is known about the arguments: for example, they may be equal to some other variables currently in scope. In this situation it may be beneficial to specialise the function to those arguments. This is done by copying the declaration of the function (and any others involved in any same mutually-recursive declaration) and noting the extra information about the arguments. The arguments augmented by this information are known as specialised arguments. In order to try to ensure that specialisation is not performed uselessly, arguments are only specialised if it can be shown that they are invariant: in other words, during the execution of the recursive function(s) themselves, the arguments never change.

Unless overridden by an attribute (see below), specialisation of a function will not be attempted if:

The compiler can prove invariance of function arguments across multiple functions within a recursive group (although this has some limitations, as shown by the example below).

It should be noted that the unboxing of closures pass (see below) can introduce specialised arguments on non-recursive functions. (No other place in the compiler currently does this.)

Example: the well-known List.iter function

This function might be written like so:

let rec iter f l =
  match l with
  | [] -> ()
  | h :: t ->
    f h;
    iter f t

and used like this:

let print_int x =
  print_endline (string_of_int x)

let run xs =
  iter print_int (List.rev xs)

The argument f to iter is invariant so the function may be specialised:

let run xs =
  let rec iter' f l =
    (* The compiler knows: f holds the same value as foo throughout iter'. *)
    match l with
    | [] -> ()
    | h :: t ->
      f h;
      iter' f t
  in
  iter' print_int (List.rev xs)

The compiler notes down that for the function iter’, the argument f is specialised to the constant closure print_int. This means that the body of iter’ may be simplified:

let run xs =
  let rec iter' f l =
    (* The compiler knows: f holds the same value as foo throughout iter'. *)
    match l with
    | [] -> ()
    | h :: t ->
      print_int h;  (* this is now a direct call *)
      iter' f t
  in
  iter' print_int (List.rev xs)

The call to print_int can indeed be inlined:

let run xs =
  let rec iter' f l =
    (* The compiler knows: f holds the same value as foo throughout iter'. *)
    match l with
    | [] -> ()
    | h :: t ->
      print_endline (string_of_int h);
      iter' f t
  in
  iter' print_int (List.rev xs)

The unused specialised argument f may now be removed, leaving:

let run xs =
  let rec iter' l =
    match l with
    | [] -> ()
    | h :: t ->
      print_endline (string_of_int h);
      iter' t
  in
  iter' (List.rev xs)
Aside on invariant parameters.

The compiler cannot currently detect invariance in cases such as the following.

let rec iter_swap f g l =
  match l with
  | [] -> ()
  | 0 :: t ->
    iter_swap g f l
  | h :: t ->
    f h;
    iter_swap f g t

20.4.1  Assessment of specialisation benefit

The benefit of specialisation is assessed in a similar way as for inlining. Specialised argument information may mean that the body of the function being specialised can be simplified: the removed operations are accumulated into a benefit. This, together with the size of the duplicated (specialised) function declaration, is then assessed against the size of the call to the original function.

20.5  Default settings of parameters

The default settings (when not using -Oclassic) are for one round of optimisation using the following parameters.

ParameterSetting
-inline10
-inline-branch-factor0.1
-inline-alloc-cost7
-inline-branch-cost5
-inline-call-cost5
-inline-indirect-cost4
-inline-prim-cost3
-inline-lifting-benefit1300
-inline-toplevel160
-inline-max-depth1
-inline-max-unroll0
-unbox-closures-factor10

20.5.1  Settings at -O2 optimisation level

When -O2 is specified two rounds of optimisation are performed. The first round uses the default parameters (see above). The second uses the following parameters.

ParameterSetting
-inline25
-inline-branch-factorSame as default
-inline-alloc-costDouble the default
-inline-branch-costDouble the default
-inline-call-costDouble the default
-inline-indirect-costDouble the default
-inline-prim-costDouble the default
-inline-lifting-benefitSame as default
-inline-toplevel400
-inline-max-depth2
-inline-max-unrollSame as default
-unbox-closures-factorSame as default

20.5.2  Settings at -O3 optimisation level

When -O3 is specified three rounds of optimisation are performed. The first two rounds are as for -O2. The third round uses the following parameters.

ParameterSetting
-inline50
-inline-branch-factorSame as default
-inline-alloc-costTriple the default
-inline-branch-costTriple the default
-inline-call-costTriple the default
-inline-indirect-costTriple the default
-inline-prim-costTriple the default
-inline-lifting-benefitSame as default
-inline-toplevel800
-inline-max-depth3
-inline-max-unroll1
-unbox-closures-factorSame as default

20.6  Manual control of inlining and specialisation

Should the inliner prove recalcitrant and refuse to inline a particular function, or if the observed inlining decisions are not to the programmer’s satisfaction for some other reason, inlining behaviour can be dictated by the programmer directly in the source code. One example where this might be appropriate is when the programmer, but not the compiler, knows that a particular function call is on a cold code path. It might be desirable to prevent inlining of the function so that the code size along the hot path is kept smaller, so as to increase locality.

The inliner is directed using attributes. For non-recursive functions (and one-step unrolling of recursive functions, although @unroll is more clear for this purpose) the following are supported:

@@inline always or @@inline never
Attached to a declaration of a function or functor, these direct the inliner to either always or never inline, irrespective of the size/benefit calculation. (If the function is recursive then the body is substituted and no special action is taken for the recursive call site(s).) @@inline with no argument is equivalent to @@inline always.
@inlined always or @inlined never
Attached to a function application, these direct the inliner likewise. These attributes at call sites override any other attribute that may be present on the corresponding declaration. @inlined with no argument is equivalent to @inlined always.

For recursive functions the relevant attributes are:

@@specialise always or @@specialise never
Attached to a declaration of a function or functor, this directs the inliner to either always or never specialise the function so long as it has appropriate contextual knowledge, irrespective of the size/benefit calculation. @@specialise with no argument is equivalent to @@specialise always.
@specialised always or @specialised never
Attached to a function application, this directs the inliner likewise. This attribute at a call site overrides any other attribute that may be present on the corresponding declaration. (Note that the function will still only be specialised if there exist one or more invariant parameters whose values are known.) @specialised with no argument is equivalent to @specialised always.
@unrolled n
This attribute is attached to a function application and always takes an integer argument. Each time the inliner sees the attribute it behaves as follows: As such, n behaves as the “maximum depth of unrolling”.

A compiler warning will be emitted if it was found impossible to obey an annotation from an @inlined or @specialised attribute.

Example showing correct placement of attributes
module F (M : sig type t end) = struct
  let[@inline never] bar x =
    x * 3

  let foo x =
    (bar [@inlined]) (42 + x)
end [@@inline never]

module X = F [@inlined] (struct type t = int end)

20.7  Simplification

Simplification, which is run in conjunction with inlining, propagates information (known as approximations) about which variables hold what values at runtime. Certain relationships between variables and symbols are also tracked: for example, some variable may be known to always hold the same value as some other variable; or perhaps some variable may be known to always hold the value pointed to by some symbol.

The propagation can help to eliminate allocations in cases such as:

let f x y =
  ...
  let p = x, y in
  ...
  ... (fst p) ... (snd p) ...

The projections from p may be replaced by uses of the variables x and y, potentially meaning that p becomes unused.

The propagation performed by the simplification pass is also important for discovering which functions flow to indirect call sites. This can enable the transformation of such call sites into direct call sites, which makes them eligible for an inlining transformation.

Note that no information is propagated about the contents of strings, even in safe-string mode, because it cannot yet be guaranteed that they are immutable throughout a given program.

20.8  Other code motion transformations

20.8.1  Lifting of constants

Expressions found to be constant will be lifted to symbol bindings—that is to say, they will be statically allocated in the object file—when they evaluate to boxed values. Such constants may be straightforward numeric constants, such as the floating-point number 42.0, or more complicated values such as constant closures.

Lifting of constants to toplevel reduces allocation at runtime.

The compiler aims to share constants lifted to toplevel such that there are no duplicate definitions. However if .cmx files are hidden from the compiler then maximal sharing may not be possible.

Notes about float arrays

The following language semantics apply specifically to constant float arrays. (By “constant float array” is meant an array consisting entirely of floating point numbers that are known at compile time. A common case is a literal such as [| 42.0; 43.0; |].

20.8.2  Lifting of toplevel let bindings

Toplevel let-expressions may be lifted to symbol bindings to ensure that the corresponding bound variables are not captured by closures. If the defining expression of a given binding is found to be constant, it is bound as such (the technical term is a let-symbol binding).

Otherwise, the symbol is bound to a (statically-allocated) preallocated block containing one field. At runtime, the defining expression will be evaluated and the first field of the block filled with the resulting value. This initialise-symbol binding causes one extra indirection but ensures, by virtue of the symbol’s address being known at compile time, that uses of the value are not captured by closures.

It should be noted that the blocks corresponding to initialise-symbol bindings are kept alive forever, by virtue of them occurring in a static table of GC roots within the object file. This extended lifetime of expressions may on occasion be surprising. If it is desired to create some non-constant value (for example when writing GC tests) that does not have this extended lifetime, then it may be created and used inside a function, with the application point of that function (perhaps at toplevel)—or indeed the function declaration itself—marked as to never be inlined. This technique prevents lifting of the definition of the value in question (assuming of course that it is not constant).

20.9  Unboxing transformations

The transformations in this section relate to the splitting apart of boxed (that is to say, non-immediate) values. They are largely intended to reduce allocation, which tends to result in a runtime performance profile with lower variance and smaller tails.

20.9.1  Unboxing of closure variables

This transformation is enabled unless -no-unbox-free-vars-of-closures is provided.

Variables that appear in closure environments may themselves be boxed values. As such, they may be split into further closure variables, each of which corresponds to some projection from the original closure variable(s). This transformation is called unboxing of closure variables or unboxing of free variables of closures. It is only applied when there is reasonable certainty that there are no uses of the boxed free variable itself within the corresponding function bodies.

Example:

In the following code, the compiler observes that the closure returned from the function f contains a variable pair (free in the body of f) that may be split into two separate variables.

let f x0 x1 =
  let pair = x0, x1 in
  Printf.printf "foo\n";
  fun y ->
    fst pair + snd pair + y

After some simplification one obtains:

let f x0 x1 =
  let pair_0 = x0 in
  let pair_1 = x1 in
  Printf.printf "foo\n";
  fun y ->
    pair_0 + pair_1 + y

and then:

let f x0 x1 =
  Printf.printf "foo\n";
  fun y ->
    x0 + x1 + y

The allocation of the pair has been eliminated.

This transformation does not operate if it would cause the closure to contain more than twice as many closure variables as it did beforehand.

20.9.2  Unboxing of specialised arguments

This transformation is enabled unless -no-unbox-specialised-args is provided.

It may become the case during compilation that one or more invariant arguments to a function become specialised to a particular value. When such values are themselves boxed the corresponding specialised arguments may be split into more specialised arguments corresponding to the projections out of the boxed value that occur within the function body. This transformation is called unboxing of specialised arguments. It is only applied when there is reasonable certainty that the boxed argument itself is unused within the function.

If the function in question is involved in a recursive group then unboxing of specialised arguments may be immediately replicated across the group based on the dataflow between invariant arguments.

Example:

Having been given the following code, the compiler will inline loop into f, and then observe inv being invariant and always the pair formed by adding 42 and 43 to the argument x of the function f.

let rec loop inv xs =
  match xs with
  | [] -> fst inv + snd inv
  | x::xs -> x + loop2 xs inv
and loop2 ys inv =
  match ys with
  | [] -> 4
  | y::ys -> y - loop inv ys

let f x =
  Printf.printf "%d\n" (loop (x + 42, x + 43) [1; 2; 3])

Since the functions have sufficiently few arguments, more specialised arguments will be added. After some simplification one obtains:

let f x =
  let rec loop' xs inv_0 inv_1 =
    match xs with
    | [] -> inv_0 + inv_1
    | x::xs -> x + loop2' xs inv_0 inv_1
  and loop2' ys inv_0 inv_1 =
    match ys with
    | [] -> 4
    | y::ys -> y - loop' ys inv_0 inv_1
  in
  Printf.printf "%d\n" (loop' [1; 2; 3] (x + 42) (x + 43))

The allocation of the pair within f has been removed. (Since the two closures for loop’ and loop2’ are constant they will also be lifted to toplevel with no runtime allocation penalty. This would also happen without having run the transformation to unbox specialise arguments.)

The transformation to unbox specialised arguments never introduces extra allocation.

The transformation will not unbox arguments if it would result in the original function having sufficiently many arguments so as to inhibit tail-call optimisation.

The transformation is implemented by creating a wrapper function that accepts the original arguments. Meanwhile, the original function is renamed and extra arguments are added corresponding to the unboxed specialised arguments; this new function is called from the wrapper. The wrapper will then be inlined at direct call sites. Indeed, all call sites will be direct unless -unbox-closures is being used, since they will have been generated by the compiler when originally specialising the function. (In the case of -unbox-closures other functions may appear with specialised arguments; in this case there may be indirect calls and these will incur a small penalty owing to having to bounce through the wrapper. The technique of direct call surrogates used for -unbox-closures is not used by the transformation to unbox specialised arguments.)

20.9.3  Unboxing of closures

This transformation is not enabled by default. It may be enabled using the -unbox-closures flag.

The transformation replaces closure variables by specialised arguments. The aim is to cause more closures to become closed. It is particularly applicable, as a means of reducing allocation, where the function concerned cannot be inlined or specialised. For example, some non-recursive function might be too large to inline; or some recursive function might offer no opportunities for specialisation perhaps because its only argument is one of type unit.

At present there may be a small penalty in terms of actual runtime performance when this transformation is enabled, although more stable performance may be obtained due to reduced allocation. It is recommended that developers experiment to determine whether the option is beneficial for their code. (It is expected that in the future it will be possible for the performance degradation to be removed.)

Simple example:

In the following code (which might typically occur when g is too large to inline) the value of x would usually be communicated to the application of the + function via the closure of g.

let f x =
  let g y =
    x + y
  in
  (g [@inlined never]) 42

Unboxing of the closure causes the value for x inside g to be passed as an argument to g rather than through its closure. This means that the closure of g becomes constant and may be lifted to toplevel, eliminating the runtime allocation.

The transformation is implemented by adding a new wrapper function in the manner of that used when unboxing specialised arguments. The closure variables are still free in the wrapper, but the intention is that when the wrapper is inlined at direct call sites, the relevant values are passed directly to the main function via the new specialised arguments.

Adding such a wrapper will penalise indirect calls to the function (which might exist in arbitrary places; remember that this transformation is not for example applied only on functions the compiler has produced as a result of specialisation) since such calls will bounce through the wrapper. To mitigate this, if a function is small enough when weighed up against the number of free variables being removed, it will be duplicated by the transformation to obtain two versions: the original (used for indirect calls, since we can do no better) and the wrapper/rewritten function pair as described in the previous paragraph. The wrapper/rewritten function pair will only be used at direct call sites of the function. (The wrapper in this case is known as a direct call surrogate, since it takes the place of another function—the unchanged version used for indirect calls—at direct call sites.)

The -unbox-closures-factor command line flag, which takes an integer, may be used to adjust the point at which a function is deemed large enough to be ineligible for duplication. The benefit of duplication is scaled by the integer before being evaluated against the size.

Harder example:

In the following code, there are two closure variables that would typically cause closure allocations. One is called fv and occurs inside the function baz; the other is called z and occurs inside the function bar. In this toy (yet sophisticated) example we again use an attribute to simulate the typical situation where the first argument of baz is too large to inline.

let foo c =
  let rec bar zs fv =
    match zs with
    | [] -> []
    | z::zs ->
      let rec baz f = function
        | [] -> []
        | a::l -> let r = fv + ((f [@inlined never]) a) in r :: baz f l
      in
      (map2 (fun y -> z + y) [z; 2; 3; 4]) @ bar zs fv
  in
  Printf.printf "%d" (List.length (bar [1; 2; 3; 4] c))

The code resulting from applying -O3 -unbox-closures to this code passes the free variables via function arguments in order to eliminate all closure allocation in this example (aside from any that might be performed inside printf).

20.10  Removal of unused code and values

20.10.1  Removal of redundant let expressions

The simplification pass removes unused let bindings so long as their corresponding defining expressions have “no effects”. See the section “Treatment of effects” below for the precise definition of this term.

20.10.2  Removal of redundant program constructs

This transformation is analogous to the removal of let-expressions whose defining expressions have no effects. It operates instead on symbol bindings, removing those that have no effects.

20.10.3  Removal of unused arguments

This transformation is only enabled by default for specialised arguments. It may be enabled for all arguments using the -remove-unused-arguments flag.

The pass analyses functions to determine which arguments are unused. Removal is effected by creating a wrapper function, which will be inlined at every direct call site, that accepts the original arguments and then discards the unused ones before calling the original function. As a consequence, this transformation may be detrimental if the original function is usually indirectly called, since such calls will now bounce through the wrapper. (The technique of direct call surrogates used to reduce this penalty during unboxing of closure variables (see above) does not yet apply to the pass that removes unused arguments.)

20.10.4  Removal of unused closure variables

This transformation performs an analysis across the whole compilation unit to determine whether there exist closure variables that are never used. Such closure variables are then eliminated. (Note that this has to be a whole-unit analysis because a projection of a closure variable from some particular closure may have propagated to an arbitrary location within the code due to inlining.)

20.11  Other code transformations

20.11.1  Transformation of non-escaping references into mutable variables

Flambda performs a simple analysis analogous to that performed elsewhere in the compiler that can transform refs into mutable variables that may then be held in registers (or on the stack as appropriate) rather than being allocated on the OCaml heap. This only happens so long as the reference concerned can be shown to not escape from its defining scope.

20.11.2  Substitution of closure variables for specialised arguments

This transformation discovers closure variables that are known to be equal to specialised arguments. Such closure variables are replaced by the specialised arguments; the closure variables may then be removed by the “removal of unused closure variables” pass (see below).

20.12  Treatment of effects

The Flambda optimisers classify expressions in order to determine whether an expression:

This is done by forming judgements on the effects and the coeffects that might be performed were the expression to be executed. Effects talk about how the expression might affect the world; coeffects talk about how the world might affect the expression.

Effects are classified as follows:

No effects:
The expression does not change the observable state of the world. For example, it must not write to any mutable storage, call arbitrary external functions or change control flow (e.g. by raising an exception). Note that allocation is not classed as having “no effects” (see below).
Only generative effects:
The expression does not change the observable state of the world save for possibly affecting the state of the garbage collector by performing an allocation. Expressions that only have generative effects and whose results are unused may be eliminated by the compiler. However, unlike expressions with “no effects”, such expressions will never be eligible for duplication.
Arbitrary effects:
All other expressions.

There is a single classification for coeffects:

No coeffects:
The expression does not observe the effects (in the sense described above) of other expressions. For example, it must not read from any mutable storage or call arbitrary external functions.

It is assumed in the compiler that, subject to data dependencies, expressions with neither effects nor coeffects may be reordered with respect to other expressions.

20.13  Compilation of statically-allocated modules

Compilation of modules that are able to be statically allocated (for example, the module corresponding to an entire compilation unit, as opposed to a first class module dependent on values computed at runtime) initially follows the strategy used for bytecode. A sequence of let-bindings, which may be interspersed with arbitrary effects, surrounds a record creation that becomes the module block. The Flambda-specific transformation follows: these bindings are lifted to toplevel symbols, as described above.

20.14  Inhibition of optimisation

Especially when writing benchmarking suites that run non-side-effecting algorithms in loops, it may be found that the optimiser entirely elides the code being benchmarked. This behaviour can be prevented by using the Sys.opaque_identity function (which indeed behaves as a normal OCaml function and does not possess any “magic” semantics). The documentation of the Sys module should be consulted for further details.

20.15  Use of unsafe operations

The behaviour of the Flambda simplification pass means that certain unsafe operations, which may without Flambda or when using previous versions of the compiler be safe, must not be used. This specifically refers to functions found in the Obj module.

In particular, it is forbidden to change any value (for example using Obj.set_field or Obj.set_tag) that is not mutable. (Values returned from C stubs are always treated as mutable.) The compiler will emit warning 59 if it detects such a write—but it cannot warn in all cases. Here is an example of code that will trigger the warning:

let f x =
  let a = 42, x in
  (Obj.magic a : int ref) := 1;
  fst a

The reason this is unsafe is because the simplification pass believes that fst a holds the value 42; and indeed it must, unless type soundness has been broken via unsafe operations.

If it must be the case that code has to be written that triggers warning 59, but the code is known to actually be correct (for some definition of correct), then Sys.opaque_identity may be used to wrap the value before unsafe operations are performed upon it. Great care must be taken when doing this to ensure that the opacity is added at the correct place. It must be emphasised that this use of Sys.opaque_identity is only for exceptional cases. It should not be used in normal code or to try to guide the optimiser.

As an example, this code will return the integer 1:

let f x =
  let a = Sys.opaque_identity (42, x) in
  (Obj.magic a : int ref) := 1;
  fst a

However the following code will still return 42:

let f x =
  let a = 42, x in
  Sys.opaque_identity (Obj.magic a : int ref) := 1;
  fst a

High levels of inlining performed by Flambda may expose bugs in code thought previously to be correct. Take care, for example, not to add type annotations that claim some mutable value is always immediate if it might be possible for an unsafe operation to update it to a boxed value.

20.16  Glossary

The following terminology is used in this chapter of the manual.

Call site
See direct call site and indirect call site below.
Closed function
A function whose body has no free variables except its parameters and any to which are bound other functions within the same (possibly mutually-recursive) declaration.
Closure
The runtime representation of a function. This includes pointers to the code of the function together with the values of any variables that are used in the body of the function but actually defined outside of the function, in the enclosing scope. The values of such variables, collectively known as the environment, are required because the function may be invoked from a place where the original bindings of such variables are no longer in scope. A group of possibly mutually-recursive functions defined using let rec all share a single closure. (Note to developers: in the Flambda source code a closure always corresponds to a single function; a set of closures refers to a group of such.)
Closure variable
A member of the environment held within the closure of a given function.
Constant
Some entity (typically an expression) the value of which is known by the compiler at compile time. Constantness may be explicit from the source code or inferred by the Flambda optimisers.
Constant closure
A closure that is statically allocated in an object file. It is almost always the case that the environment portion of such a closure is empty.
Defining expression
The expression e in let x = e in e’.
Direct call site
A place in a program’s code where a function is called and it is known at compile time which function it will always be.
Indirect call site
A place in a program’s code where a function is called but is not known to be a direct call site.
Program
A collection of symbol bindings forming the definition of a single compilation unit (i.e. .cmx file).
Specialised argument
An argument to a function that is known to always hold a particular value at runtime. These are introduced by the inliner when specialising recursive functions; and the unbox-closures pass. (See section 20.4.)
Symbol
A name referencing a particular place in an object file or executable image. At that particular place will be some constant value. Symbols may be examined using operating system-specific tools (for example objdump on Linux).
Symbol binding
Analogous to a let-expression but working at the level of symbols defined in the object file. The address of a symbol is fixed, but it may be bound to both constant and non-constant expressions.
Toplevel
An expression in the current program which is not enclosed within any function declaration.
Variable
A named entity to which some OCaml value is bound by a let expression, pattern-matching construction, or similar.

Previous Up Next ocaml-doc-4.05/ocaml.html/index.html0000644000175000017500000001450113131636457016303 0ustar mehdimehdi The OCaml system, release 4.05
 The OCaml system
release 4.05
Documentation and user’s manual
Xavier Leroy,
Damien Doligez, Alain Frisch, Jacques Garrigue, Didier Rémy and Jérôme Vouillon
July 13, 2017
  Copyright © 2013 Institut National de Recherche en Informatique et en Automatique

This manual is also available in PDF. Postscript, DVI, plain text, as a bundle of HTML files, and as a bundle of Emacs Info files.

Part I
An introduction to OCaml

Part II
The OCaml language

Part III
The OCaml tools

Part IV
The OCaml library

Part V
Appendix


This document was translated from LATEX by HEVEA.
ocaml-doc-4.05/ocaml.html/typedecl.html0000644000175000017500000005202113131636457017004 0ustar mehdimehdi 6.8  Type and exception definitions Previous Up Next

6.8  Type and exception definitions

6.8.1  Type definitions

Type definitions bind type constructors to data types: either variant types, record types, type abbreviations, or abstract data types. They also bind the value constructors and record fields associated with the definition.

type-definition::= type [nonrectypedef  { and typedef }  
 
typedef::= [type-params]  typeconstr-name  type-information  
 
type-information::= [type-equation]  [type-representation]  { type-constraint }  
 
type-equation::= = typexpr  
 
type-representation::= = [|constr-decl  { | constr-decl }  
  = record-decl  
 
type-params::= type-param  
  ( type-param  { , type-param } )  
 
type-param::= [variance'  ident  
 
variance::= +  
  -  
 
record-decl::= { field-decl  { ; field-decl }  [;}  
 
constr-decl::= (constr-name ∣  [] ∣  (::)) [ of constr-args ]  
 
constr-args::= typexpr  { * typexpr }  
 
field-decl::= [mutablefield-name :  poly-typexpr  
 
type-constraint::= constraint ' ident =  typexpr

See also the following language extensions: private types, generalized algebraic datatypes, attributes, extension nodes, extensible variant types and inline records.

Type definitions are introduced by the type keyword, and consist in one or several simple definitions, possibly mutually recursive, separated by the and keyword. Each simple definition defines one type constructor.

A simple definition consists in a lowercase identifier, possibly preceded by one or several type parameters, and followed by an optional type equation, then an optional type representation, and then a constraint clause. The identifier is the name of the type constructor being defined.

In the right-hand side of type definitions, references to one of the type constructor name being defined are considered as recursive, unless type is followed by nonrec. The nonrec keyword was introduced in OCaml 4.02.2.

The optional type parameters are either one type variable ' ident, for type constructors with one parameter, or a list of type variables ('ident1,…,' identn), for type constructors with several parameters. Each type parameter may be prefixed by a variance constraint + (resp. -) indicating that the parameter is covariant (resp. contravariant). These type parameters can appear in the type expressions of the right-hand side of the definition, optionally restricted by a variance constraint ; i.e. a covariant parameter may only appear on the right side of a functional arrow (more precisely, follow the left branch of an even number of arrows), and a contravariant parameter only the left side (left branch of an odd number of arrows). If the type has a representation or an equation, and the parameter is free (i.e. not bound via a type constraint to a constructed type), its variance constraint is checked but subtyping etc. will use the inferred variance of the parameter, which may be less restrictive; otherwise (i.e. for abstract types or non-free parameters), the variance must be given explicitly, and the parameter is invariant if no variance is given.

The optional type equation = typexpr makes the defined type equivalent to the type expression typexpr: one can be substituted for the other during typing. If no type equation is given, a new type is generated: the defined type is incompatible with any other type.

The optional type representation describes the data structure representing the defined type, by giving the list of associated constructors (if it is a variant type) or associated fields (if it is a record type). If no type representation is given, nothing is assumed on the structure of the type besides what is stated in the optional type equation.

The type representation = [|] constr-decl  { | constr-decl } describes a variant type. The constructor declarations constr-decl1, …,  constr-decln describe the constructors associated to this variant type. The constructor declaration constr-name of  typexpr1 **  typexprn declares the name constr-name as a non-constant constructor, whose arguments have types typexpr1typexprn. The constructor declaration constr-name declares the name constr-name as a constant constructor. Constructor names must be capitalized.

The type representation = { field-decl  { ; field-decl }  [;] } describes a record type. The field declarations field-decl1, …,  field-decln describe the fields associated to this record type. The field declaration field-name :  poly-typexpr declares field-name as a field whose argument has type poly-typexpr. The field declaration mutable field-name :  poly-typexpr behaves similarly; in addition, it allows physical modification of this field. Immutable fields are covariant, mutable fields are non-variant. Both mutable and immutable fields may have a explicitly polymorphic types. The polymorphism of the contents is statically checked whenever a record value is created or modified. Extracted values may have their types instantiated.

The two components of a type definition, the optional equation and the optional representation, can be combined independently, giving rise to four typical situations:

Abstract type: no equation, no representation.
 
When appearing in a module signature, this definition specifies nothing on the type constructor, besides its number of parameters: its representation is hidden and it is assumed incompatible with any other type.
Type abbreviation: an equation, no representation.
 
This defines the type constructor as an abbreviation for the type expression on the right of the = sign.
New variant type or record type: no equation, a representation.
 
This generates a new type constructor and defines associated constructors or fields, through which values of that type can be directly built or inspected.
Re-exported variant type or record type: an equation, a representation.
 
In this case, the type constructor is defined as an abbreviation for the type expression given in the equation, but in addition the constructors or fields given in the representation remain attached to the defined type constructor. The type expression in the equation part must agree with the representation: it must be of the same kind (record or variant) and have exactly the same constructors or fields, in the same order, with the same arguments.

The type variables appearing as type parameters can optionally be prefixed by + or - to indicate that the type constructor is covariant or contravariant with respect to this parameter. This variance information is used to decide subtyping relations when checking the validity of :> coercions (see section 6.7.6).

For instance, type +'a t declares t as an abstract type that is covariant in its parameter; this means that if the type τ is a subtype of the type σ, then τ t is a subtype of σ t. Similarly, type -'a t declares that the abstract type t is contravariant in its parameter: if τ is a subtype of σ, then σ t is a subtype of τ t. If no + or - variance annotation is given, the type constructor is assumed non-variant in the corresponding parameter. For instance, the abstract type declaration type 'a t means that τ t is neither a subtype nor a supertype of σ t if τ is subtype of σ.

The variance indicated by the + and - annotations on parameters is enforced only for abstract and private types, or when there are type constraints. Otherwise, for abbreviations, variant and record types without type constraints, the variance properties of the type constructor are inferred from its definition, and the variance annotations are only checked for conformance with the definition.

The construct constraint ' ident =  typexpr allows the specification of type parameters. Any actual type argument corresponding to the type parameter ident has to be an instance of typexpr (more precisely, ident and typexpr are unified). Type variables of typexpr can appear in the type equation and the type declaration.

6.8.2  Exception definitions

exception-definition::= exception constr-decl  
  exception constr-name =  constr

Exception definitions add new constructors to the built-in variant type exn of exception values. The constructors are declared as for a definition of a variant type.

The form exception constr-decl generates a new exception, distinct from all other exceptions in the system. The form exception constr-name =  constr gives an alternate name to an existing exception.


Previous Up Next ocaml-doc-4.05/ocaml.html/native.html0000644000175000017500000016352213131636457016472 0ustar mehdimehdi Chapter 11  Native-code compilation (ocamlopt) Previous Up Next

Chapter 11  Native-code compilation (ocamlopt)

This chapter describes the OCaml high-performance native-code compiler ocamlopt, which compiles OCaml source files to native code object files and link these object files to produce standalone executables.

The native-code compiler is only available on certain platforms. It produces code that runs faster than the bytecode produced by ocamlc, at the cost of increased compilation time and executable code size. Compatibility with the bytecode compiler is extremely high: the same source code should run identically when compiled with ocamlc and ocamlopt.

It is not possible to mix native-code object files produced by ocamlopt with bytecode object files produced by ocamlc: a program must be compiled entirely with ocamlopt or entirely with ocamlc. Native-code object files produced by ocamlopt cannot be loaded in the toplevel system ocaml.

11.1  Overview of the compiler

The ocamlopt command has a command-line interface very close to that of ocamlc. It accepts the same types of arguments, and processes them sequentially, after all options have been processed:

The output of the linking phase is a regular Unix or Windows executable file. It does not need ocamlrun to run.

11.2  Options

The following command-line options are recognized by ocamlopt. The options -pack, -a, -shared, -c and -output-obj are mutually exclusive.

-a
Build a library(.cmxa and .a/.lib files) with the object files (.cmx and .o/.obj files) given on the command line, instead of linking them into an executable file. The name of the library must be set with the -o option.

If -cclib or -ccopt options are passed on the command line, these options are stored in the resulting .cmxalibrary. Then, linking with this library automatically adds back the -cclib and -ccopt options as if they had been provided on the command line, unless the -noautolink option is given.

-absname
Force error messages to show absolute paths for file names.
-annot
Dump detailed information about the compilation (types, bindings, tail-calls, etc). The information for file src.ml is put into file src.annot. In case of a type error, dump all the information inferred by the type-checker before the error. The src.annot file can be used with the emacs commands given in emacs/caml-types.el to display types and other annotations interactively.
-args filename
Read additional newline-terminated command line arguments from filename.
-args0 filename
Read additional null character terminated command line arguments from filename.
-bin-annot
Dump detailed information about the compilation (types, bindings, tail-calls, etc) in binary format. The information for file src.ml is put into file src.cmt. In case of a type error, dump all the information inferred by the type-checker before the error. The *.cmt files produced by -bin-annot contain more information and are much more compact than the files produced by -annot.
-c
Compile only. Suppress the linking phase of the compilation. Source code files are turned into compiled files, but no executable file is produced. This option is useful to compile modules separately.
-cc ccomp
Use ccomp as the C linker called to build the final executable and as the C compiler for compiling .c source files.
-cclib -llibname
Pass the -llibname option to the linker . This causes the given C library to be linked with the program.
-ccopt option
Pass the given option to the C compiler and linker. For instance,-ccopt -Ldir causes the C linker to search for C libraries in directory dir.
-color mode
Enable or disable colors in compiler messages (especially warnings and errors). The following modes are supported:
auto
use heuristics to enable colors only if the output supports them (an ANSI-compatible tty terminal);
always
enable colors unconditionally;
never
disable color output.
The default setting is ’auto’, and the current heuristic checks that the TERM environment variable exists and is not empty or dumb, and that ’isatty(stderr)’ holds.

The environment variable OCAML_COLOR is considered if -color is not provided. Its values are auto/always/never as above.

-compact
Optimize the produced code for space rather than for time. This results in slightly smaller but slightly slower programs. The default is to optimize for speed.
-config
Print the version number of ocamlopt and a detailed summary of its configuration, then exit.
-for-pack module-path
Generate an object file (.cmx and .o/.obj files) that can later be included as a sub-module (with the given access path) of a compilation unit constructed with -pack. For instance, ocamlopt -for-pack P -c A.ml will generate a..cmx and a.o files that can later be used with ocamlopt -pack -o P.cmx a.cmx. Note: you can still pack a module that was compiled without -for-pack but in this case exceptions will be printed with the wrong names.
-g
Add debugging information while compiling and linking. This option is required in order to produce stack backtraces when the program terminates on an uncaught exception (see section 10.2).
-i
Cause the compiler to print all defined names (with their inferred types or their definitions) when compiling an implementation (.ml file). No compiled files (.cmo and .cmi files) are produced. This can be useful to check the types inferred by the compiler. Also, since the output follows the syntax of interfaces, it can help in writing an explicit interface (.mli file) for a file: just redirect the standard output of the compiler to a .mli file, and edit that file to remove all declarations of unexported names.
-I directory
Add the given directory to the list of directories searched for compiled interface files (.cmi), compiled object code files (.cmx), and libraries (.cmxa). By default, the current directory is searched first, then the standard library directory. Directories added with -I are searched after the current directory, in the order in which they were given on the command line, but before the standard library directory. See also option -nostdlib.

If the given directory starts with +, it is taken relative to the standard library directory. For instance, -I +labltk adds the subdirectory labltk of the standard library to the search path.

-impl filename
Compile the file filename as an implementation file, even if its extension is not .ml.
-inline n
Set aggressiveness of inlining to n, where n is a positive integer. Specifying -inline 0 prevents all functions from being inlined, except those whose body is smaller than the call site. Thus, inlining causes no expansion in code size. The default aggressiveness, -inline 1, allows slightly larger functions to be inlined, resulting in a slight expansion in code size. Higher values for the -inline option cause larger and larger functions to become candidate for inlining, but can result in a serious increase in code size.
-intf filename
Compile the file filename as an interface file, even if its extension is not .mli.
-intf-suffix string
Recognize file names ending with string as interface files (instead of the default .mli).
-labels
Labels are not ignored in types, labels may be used in applications, and labelled parameters can be given in any order. This is the default.
-linkall
Force all modules contained in libraries to be linked in. If this flag is not given, unreferenced modules are not linked in. When building a library (option -a), setting the -linkall option forces all subsequent links of programs involving that library to link all the modules contained in the library. When compiling a module (option -c), setting the -linkall option ensures that this module will always be linked if it is put in a library and this library is linked.
-no-alias-deps
Do not record dependencies for module aliases. See section 7.13 for more information.
-no-app-funct
Deactivates the applicative behaviour of functors. With this option, each functor application generates new types in its result and applying the same functor twice to the same argument yields two incompatible structures.
-noassert
Do not compile assertion checks. Note that the special form assert false is always compiled because it is typed specially. This flag has no effect when linking already-compiled files.
-noautolink
When linking .cmxalibraries, ignore -cclib and -ccopt options potentially contained in the libraries (if these options were given when building the libraries). This can be useful if a library contains incorrect specifications of C libraries or C options; in this case, during linking, set -noautolink and pass the correct C libraries and options on the command line.
-nodynlink
Allow the compiler to use some optimizations that are valid only for code that is never dynlinked.
-nolabels
Ignore non-optional labels in types. Labels cannot be used in applications, and parameter order becomes strict.
-nostdlib
Do not automatically add the standard library directory the list of directories searched for compiled interface files (.cmi), compiled object code files (.cmx), and libraries (.cmxa). See also option -I.
-o exec-file
Specify the name of the output file produced by the linker. The default output name is a.out under Unix and camlprog.exe under Windows. If the -a option is given, specify the name of the library produced. If the -pack option is given, specify the name of the packed object file produced. If the -output-obj option is given, specify the name of the output file produced. If the -shared option is given, specify the name of plugin file produced.
-opaque
When the native compiler compiles an implementation, by default it produces a .cmx file containing information for cross-module optimization. It also expects .cmx files to be present for the dependencies of the currently compiled source, and uses them for optimization. Since OCaml 4.03, the compiler will emit a warning if it is unable to locate the .cmx file of one of those dependencies.

The -opaque option, available since 4.04, disables cross-module optimization information for the currently compiled unit. When compiling .mli interface, using -opaque marks the compiled .cmi interface so that subsequent compilations of modules that depend on it will not rely on the corresponding .cmx file, nor warn if it is absent. When the native compiler compiles a .ml implementation, using -opaque generates a .cmx that does not contain any cross-module optimization information.

Using this option may degrade the quality of generated code, but it reduces compilation time, both on clean and incremental builds. Indeed, with the native compiler, when the implementation of a compilation unit changes, all the units that depend on it may need to be recompiled – because the cross-module information may have changed. If the compilation unit whose implementation changed was compiled with -opaque, no such recompilation needs to occur. This option can thus be used, for example, to get faster edit-compile-test feedback loops.

-open Module
Opens the given module before processing the interface or implementation files. If several -open options are given, they are processed in order, just as if the statements open! Module1;; ... open! ModuleN;; were added at the top of each file.
-output-obj
Cause the linker to produce a C object file instead of an executable file. This is useful to wrap OCaml code as a C library, callable from any C program. See chapter 19, section 19.7.5. The name of the output object file must be set with the -o option. This option can also be used to produce a compiled shared/dynamic library (.so extension, .dll under Windows).
-p
Generate extra code to write profile information when the program is executed. The profile information can then be examined with the analysis program gprof. (See chapter 17 for more information on profiling.) The -p option must be given both at compile-time and at link-time. Linking object files not compiled with -p is possible, but results in less precise profiling.
Unix:   See the Unix manual page for gprof(1) for more information about the profiles.

Full support for gprof is only available for certain platforms (currently: Intel x86 32 and 64 bits under Linux, BSD and MacOS X). On other platforms, the -p option will result in a less precise profile (no call graph information, only a time profile).

Windows:   The -p option does not work under Windows.
-pack
Build an object file (.cmx and .o/.obj files) and its associated compiled interface (.cmi) that combines the .cmx object files given on the command line, making them appear as sub-modules of the output .cmx file. The name of the output .cmx file must be given with the -o option. For instance,
        ocamlopt -pack -o P.cmx A.cmx B.cmx C.cmx
generates compiled files P.cmx, P.o and P.cmi describing a compilation unit having three sub-modules A, B and C, corresponding to the contents of the object files A.cmx, B.cmx and C.cmx. These contents can be referenced as P.A, P.B and P.C in the remainder of the program.

The .cmx object files being combined must have been compiled with the appropriate -for-pack option. In the example above, A.cmx, B.cmx and C.cmx must have been compiled with ocamlopt -for-pack P.

Multiple levels of packing can be achieved by combining -pack with -for-pack. Consider the following example:

        ocamlopt -for-pack P.Q -c A.ml
        ocamlopt -pack -o Q.cmx -for-pack P A.cmx
        ocamlopt -for-pack P -c B.ml
        ocamlopt -pack -o P.cmx Q.cmx B.cmx

The resulting P.cmx object file has sub-modules P.Q, P.Q.A and P.B.

-plugin plugin
Dynamically load the code of the given plugin (a .cmo, .cma or .cmxs file) in the compiler. plugin must exist in the same kind of code as the compiler (ocamlopt.byte must load bytecode plugins, while ocamlopt.opt must load native code plugins), and extension adaptation is done automatically for .cma files (to .cmxs files if the compiler is compiled in native code).
-pp command
Cause the compiler to call the given command as a preprocessor for each source file. The output of command is redirected to an intermediate file, which is compiled. If there are no compilation errors, the intermediate file is deleted afterwards.
-ppx command
After parsing, pipe the abstract syntax tree through the preprocessor command. The module Ast_mapper, described in chapter 25: Ast_mapper , implements the external interface of a preprocessor.
-principal
Check information path during type-checking, to make sure that all types are derived in a principal way. When using labelled arguments and/or polymorphic methods, this flag is required to ensure future versions of the compiler will be able to infer types correctly, even if internal algorithms change. All programs accepted in -principal mode are also accepted in the default mode with equivalent types, but different binary signatures, and this may slow down type checking; yet it is a good idea to use it once before publishing source code.
-rectypes
Allow arbitrary recursive types during type-checking. By default, only recursive types where the recursion goes through an object type are supported.Note that once you have created an interface using this flag, you must use it again for all dependencies.
-runtime-variant suffix
Add the suffix string to the name of the runtime library used by the program. Currently, only one such suffix is supported: d, and only if the OCaml compiler was configured with option -with-debug-runtime. This suffix gives the debug version of the runtime, which is useful for debugging pointer problems in low-level code such as C stubs.
-S
Keep the assembly code produced during the compilation. The assembly code for the source file x.ml is saved in the file x.s.
-shared
Build a plugin (usually .cmxs) that can be dynamically loaded with the Dynlink module. The name of the plugin must be set with the -o option. A plugin can include a number of OCaml modules and libraries, and extra native objects (.o, .obj, .a, .lib files). Building native plugins is only supported for some operating system. Under some systems (currently, only Linux AMD 64), all the OCaml code linked in a plugin must have been compiled without the -nodynlink flag. Some constraints might also apply to the way the extra native objects have been compiled (under Linux AMD 64, they must contain only position-independent code).
-safe-string
Enforce the separation between types string and bytes, thereby making strings read-only. This will become the default in a future version of OCaml.
-short-paths
When a type is visible under several module-paths, use the shortest one when printing the type’s name in inferred interfaces and error and warning messages. Identifier names starting with an underscore _ or containing double underscores __ incur a penalty of +10 when computing their length.
-strict-sequence
Force the left-hand part of each sequence to have type unit.
-strict-formats
Reject invalid formats that were accepted in legacy format implementations. You should use this flag to detect and fix such invalid formats, as they will be rejected by future OCaml versions.
-thread
Compile or link multithreaded programs, in combination with the system threads library described in chapter 29.
-unboxed-types
When a type is unboxable (i.e. a record with a single argument or a concrete datatype with a single constructor of one argument) it will be unboxed unless annotated with [@@ocaml.boxed].
-no-unboxed-types
When a type is unboxable it will be boxed unless annotated with [@@ocaml.unboxed]. This is the default.
-unsafe
Turn bound checking off for array and string accesses (the v.(i) and s.[i] constructs). Programs compiled with -unsafe are therefore faster, but unsafe: anything can happen if the program accesses an array or string outside of its bounds. Additionally, turn off the check for zero divisor in integer division and modulus operations. With -unsafe, an integer division (or modulus) by zero can halt the program or continue with an unspecified result instead of raising a Division_by_zero exception.
-unsafe-string
Identify the types string and bytes, thereby making strings writable. For reasons of backward compatibility, this is the default setting for the moment, but this will change in a future version of OCaml.
-v
Print the version number of the compiler and the location of the standard library directory, then exit.
-verbose
Print all external commands before they are executed, in particular invocations of the assembler, C compiler, and linker. Useful to debug C library problems.
-version or -vnum
Print the version number of the compiler in short form (e.g. 3.11.0), then exit.
-w warning-list
Enable, disable, or mark as fatal the warnings specified by the argument warning-list. Each warning can be enabled or disabled, and each warning can be fatal or non-fatal. If a warning is disabled, it isn’t displayed and doesn’t affect compilation in any way (even if it is fatal). If a warning is enabled, it is displayed normally by the compiler whenever the source code triggers it. If it is enabled and fatal, the compiler will also stop with an error after displaying it.

The warning-list argument is a sequence of warning specifiers, with no separators between them. A warning specifier is one of the following:

+num
Enable warning number num.
-num
Disable warning number num.
@num
Enable and mark as fatal warning number num.
+num1..num2
Enable warnings in the given range.
-num1..num2
Disable warnings in the given range.
@num1..num2
Enable and mark as fatal warnings in the given range.
+letter
Enable the set of warnings corresponding to letter. The letter may be uppercase or lowercase.
-letter
Disable the set of warnings corresponding to letter. The letter may be uppercase or lowercase.
@letter
Enable and mark as fatal the set of warnings corresponding to letter. The letter may be uppercase or lowercase.
uppercase-letter
Enable the set of warnings corresponding to uppercase-letter.
lowercase-letter
Disable the set of warnings corresponding to lowercase-letter.

Warning numbers and letters which are out of the range of warnings that are currently defined are ignored. The warnings are as follows.

1
Suspicious-looking start-of-comment mark.
2
Suspicious-looking end-of-comment mark.
3
Deprecated feature.
4
Fragile pattern matching: matching that will remain complete even if additional constructors are added to one of the variant types matched.
5
Partially applied function: expression whose result has function type and is ignored.
6
Label omitted in function application.
7
Method overridden.
8
Partial match: missing cases in pattern-matching.
9
Missing fields in a record pattern.
10
Expression on the left-hand side of a sequence that doesn’t have type unit (and that is not a function, see warning number 5).
11
Redundant case in a pattern matching (unused match case).
12
Redundant sub-pattern in a pattern-matching.
13
Instance variable overridden.
14
Illegal backslash escape in a string constant.
15
Private method made public implicitly.
16
Unerasable optional argument.
17
Undeclared virtual method.
18
Non-principal type.
19
Type without principality.
20
Unused function argument.
21
Non-returning statement.
22
Preprocessor warning.
23
Useless record with clause.
24
Bad module name: the source file name is not a valid OCaml module name.
26
Suspicious unused variable: unused variable that is bound with let or as, and doesn’t start with an underscore (_) character.
27
Innocuous unused variable: unused variable that is not bound with let nor as, and doesn’t start with an underscore (_) character.
28
Wildcard pattern given as argument to a constant constructor.
29
Unescaped end-of-line in a string constant (non-portable code).
30
Two labels or constructors of the same name are defined in two mutually recursive types.
31
A module is linked twice in the same executable.
32
Unused value declaration.
33
Unused open statement.
34
Unused type declaration.
35
Unused for-loop index.
36
Unused ancestor variable.
37
Unused constructor.
38
Unused extension constructor.
39
Unused rec flag.
40
Constructor or label name used out of scope.
41
Ambiguous constructor or label name.
42
Disambiguated constructor or label name (compatibility warning).
43
Nonoptional label applied as optional.
44
Open statement shadows an already defined identifier.
45
Open statement shadows an already defined label or constructor.
46
Error in environment variable.
47
Illegal attribute payload.
48
Implicit elimination of optional arguments.
49
Absent cmi file when looking up module alias.
50
Unexpected documentation comment.
51
Warning on non-tail calls if @tailcall present.
52 (see 8.5.1)
Fragile constant pattern.
53
Attribute cannot appear in this context
54
Attribute used more than once on an expression
55
Inlining impossible
56
Unreachable case in a pattern-matching (based on type information).
57 (see 8.5.2)
Ambiguous or-pattern variables under guard
58
Missing cmx file
59
Assignment to non-mutable value
60
Unused module declaration
A
all warnings
C
warnings 1, 2.
D
Alias for warning 3.
E
Alias for warning 4.
F
Alias for warning 5.
K
warnings 32, 33, 34, 35, 36, 37, 38, 39.
L
Alias for warning 6.
M
Alias for warning 7.
P
Alias for warning 8.
R
Alias for warning 9.
S
Alias for warning 10.
U
warnings 11, 12.
V
Alias for warning 13.
X
warnings 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 30.
Y
Alias for warning 26.
Z
Alias for warning 27.

The default setting is -w +a-4-6-7-9-27-29-32..39-41..42-44-45-48-50. It is displayed by ocamlopt -help. Note that warnings 5 and 10 are not always triggered, depending on the internals of the type checker.

-warn-error warning-list
Mark as fatal the warnings specified in the argument warning-list. The compiler will stop with an error when one of these warnings is emitted. The warning-list has the same meaning as for the -w option: a + sign (or an uppercase letter) marks the corresponding warnings as fatal, a - sign (or a lowercase letter) turns them back into non-fatal warnings, and a @ sign both enables and marks as fatal the corresponding warnings.

Note: it is not recommended to use warning sets (i.e. letters) as arguments to -warn-error in production code, because this can break your build when future versions of OCaml add some new warnings.

The default setting is -warn-error -a+31 (only warning 31 is fatal).

-warn-help
Show the description of all available warning numbers.
-where
Print the location of the standard library, then exit.
- file
Process file as a file name, even if it starts with a dash (-) character.
-help or --help
Display a short usage summary and exit.
Options for the IA32 architecture

The IA32 code generator (Intel Pentium, AMD Athlon) supports the following additional option:

-ffast-math
Use the IA32 instructions to compute trigonometric and exponential functions, instead of calling the corresponding library routines. The functions affected are: atan, atan2, cos, log, log10, sin, sqrt and tan. The resulting code runs faster, but the range of supported arguments and the precision of the result can be reduced. In particular, trigonometric operations cos, sin, tan have their range reduced to [−264, 264].
Options for the AMD64 architecture

The AMD64 code generator (64-bit versions of Intel Pentium and AMD Athlon) supports the following additional options:

-fPIC
Generate position-independent machine code. This is the default.
-fno-PIC
Generate position-dependent machine code.
Options for the Sparc architecture

The Sparc code generator supports the following additional options:

-march=v8
Generate SPARC version 8 code.
-march=v9
Generate SPARC version 9 code.

The default is to generate code for SPARC version 7, which runs on all SPARC processors.

Contextual control of command-line options

The compiler command line can be modified “from the outside” with the following mechanisms. These are experimental and subject to change. They should be used only for experimental and development work, not in released packages.

OCAMLPARAM (environment variable)
Arguments that will be inserted before or after the arguments from the command line.
ocaml_compiler_internal_params (file in the stdlib directory)
A mapping of file names to lists of arguments that will be added to the command line (and OCAMLPARAM) arguments.
OCAML_FLEXLINK (environment variable)
Alternative executable to use on native Windows for flexlink instead of the configured value. Primarily used for bootstrapping.

11.3  Common errors

The error messages are almost identical to those of ocamlc. See section 8.4.

11.4  Running executables produced by ocamlopt

Executables generated by ocamlopt are native, stand-alone executable files that can be invoked directly. They do not depend on the ocamlrun bytecode runtime system nor on dynamically-loaded C/OCaml stub libraries.

During execution of an ocamlopt-generated executable, the following environment variables are also consulted:

OCAMLRUNPARAM
Same usage as in ocamlrun (see section 10.2), except that option l is ignored (the operating system’s stack size limit is used instead).
CAMLRUNPARAM
If OCAMLRUNPARAM is not found in the environment, then CAMLRUNPARAM will be used instead. If CAMLRUNPARAM is not found, then the default values will be used.

11.5  Compatibility with the bytecode compiler

This section lists the known incompatibilities between the bytecode compiler and the native-code compiler. Except on those points, the two compilers should generate code that behave identically.


Previous Up Next ocaml-doc-4.05/ocaml.html/const.html0000644000175000017500000000767313131636457016336 0ustar mehdimehdi 6.5  Constants Previous Up Next

6.5  Constants

constant::= integer-literal  
  float-literal  
  char-literal  
  string-literal  
  constr  
  false  
  true  
  ()  
  begin end  
  []  
  [||]  
  `tag-name

See also the following language extensions: integer literals for types int32, int64 and nativeint, quoted strings and extension literals.

The syntactic class of constants comprises literals from the four base types (integers, floating-point numbers, characters, character strings), and constant constructors from both normal and polymorphic variants, as well as the special constants false, true, (), [], and [||], which behave like constant constructors, and begin end, which is equivalent to ().


Previous Up Next ocaml-doc-4.05/ocaml.html/modtypes.html0000644000175000017500000006724313131636457017053 0ustar mehdimehdi 6.10  Module types (module specifications) Previous Up Next

6.10  Module types (module specifications)

Module types are the module-level equivalent of type expressions: they specify the general shape and type properties of modules.

module-type::= modtype-path  
  sig { specification  [;;] } end  
  functor ( module-name :  module-type ) ->  module-type  
  module-type ->  module-type  
  module-type with  mod-constraint  { and mod-constraint }  
  ( module-type )  
 
mod-constraint::= type [type-params]  typeconstr  type-equation  { type-constraint }  
  module module-path =  extended-module-path  
 
specification::= val value-name :  typexpr  
  external value-name :  typexpr =  external-declaration  
  type-definition  
  exception constr-decl  
  class-specification  
  classtype-definition  
  module module-name :  module-type  
  module module-name  { ( module-name :  module-type ) } :  module-type  
  module type modtype-name  
  module type modtype-name =  module-type  
  open module-path  
  include module-type

See also the following language extensions: recovering the type of a module, substitution inside a signature, type-level module aliases, attributes, extension nodes and generative functors.

6.10.1  Simple module types

The expression modtype-path is equivalent to the module type bound to the name modtype-path. The expression ( module-type ) denotes the same type as module-type.

6.10.2  Signatures

Signatures are type specifications for structures. Signatures sigend are collections of type specifications for value names, type names, exceptions, module names and module type names. A structure will match a signature if the structure provides definitions (implementations) for all the names specified in the signature (and possibly more), and these definitions meet the type requirements given in the signature.

An optional ;; is allowed after each specification in a signature. It serves as a syntactic separator with no semantic meaning.

Value specifications

A specification of a value component in a signature is written val value-name :  typexpr, where value-name is the name of the value and typexpr its expected type.

The form external value-name :  typexpr =  external-declaration is similar, except that it requires in addition the name to be implemented as the external function specified in external-declaration (see chapter 19).

Type specifications

A specification of one or several type components in a signature is written type typedef  { and typedef } and consists of a sequence of mutually recursive definitions of type names.

Each type definition in the signature specifies an optional type equation = typexpr and an optional type representation = constr-decl … or = { field-decl}. The implementation of the type name in a matching structure must be compatible with the type expression specified in the equation (if given), and have the specified representation (if given). Conversely, users of that signature will be able to rely on the type equation or type representation, if given. More precisely, we have the following four situations:

Abstract type: no equation, no representation.
 
Names that are defined as abstract types in a signature can be implemented in a matching structure by any kind of type definition (provided it has the same number of type parameters). The exact implementation of the type will be hidden to the users of the structure. In particular, if the type is implemented as a variant type or record type, the associated constructors and fields will not be accessible to the users; if the type is implemented as an abbreviation, the type equality between the type name and the right-hand side of the abbreviation will be hidden from the users of the structure. Users of the structure consider that type as incompatible with any other type: a fresh type has been generated.
Type abbreviation: an equation = typexpr, no representation.
 
The type name must be implemented by a type compatible with typexpr. All users of the structure know that the type name is compatible with typexpr.
New variant type or record type: no equation, a representation.
 
The type name must be implemented by a variant type or record type with exactly the constructors or fields specified. All users of the structure have access to the constructors or fields, and can use them to create or inspect values of that type. However, users of the structure consider that type as incompatible with any other type: a fresh type has been generated.
Re-exported variant type or record type: an equation, a representation.
 
This case combines the previous two: the representation of the type is made visible to all users, and no fresh type is generated.

Exception specification

The specification exception constr-decl in a signature requires the matching structure to provide an exception with the name and arguments specified in the definition, and makes the exception available to all users of the structure.

Class specifications

A specification of one or several classes in a signature is written class class-spec  { and class-spec } and consists of a sequence of mutually recursive definitions of class names.

Class specifications are described more precisely in section 6.9.4.

Class type specifications

A specification of one or several classe types in a signature is written class type classtype-def { and classtype-def } and consists of a sequence of mutually recursive definitions of class type names. Class type specifications are described more precisely in section 6.9.5.

Module specifications

A specification of a module component in a signature is written module module-name :  module-type, where module-name is the name of the module component and module-type its expected type. Modules can be nested arbitrarily; in particular, functors can appear as components of structures and functor types as components of signatures.

For specifying a module component that is a functor, one may write

module module-name (  name1 :  module-type1 )(  namen :  module-typen ) :  module-type

instead of

module module-name : functor (  name1 :  module-type1 ) ->->  module-type

Module type specifications

A module type component of a signature can be specified either as a manifest module type or as an abstract module type.

An abstract module type specification module type modtype-name allows the name modtype-name to be implemented by any module type in a matching signature, but hides the implementation of the module type to all users of the signature.

A manifest module type specification module type modtype-name =  module-type requires the name modtype-name to be implemented by the module type module-type in a matching signature, but makes the equality between modtype-name and module-type apparent to all users of the signature.

Opening a module path

The expression open module-path in a signature does not specify any components. It simply affects the parsing of the following items of the signature, allowing components of the module denoted by module-path to be referred to by their simple names name instead of path accesses module-path .  name. The scope of the open stops at the end of the signature expression.

Including a signature

The expression include module-type in a signature performs textual inclusion of the components of the signature denoted by module-type. It behaves as if the components of the included signature were copied at the location of the include. The module-type argument must refer to a module type that is a signature, not a functor type.

6.10.3  Functor types

The module type expression functor ( module-name :  module-type1 ) ->  module-type2 is the type of functors (functions from modules to modules) that take as argument a module of type module-type1 and return as result a module of type module-type2. The module type module-type2 can use the name module-name to refer to type components of the actual argument of the functor. If the type module-type2 does not depend on type components of module-name, the module type expression can be simplified with the alternative short syntax module-type1 ->  module-type2 . No restrictions are placed on the type of the functor argument; in particular, a functor may take another functor as argument (“higher-order” functor).

6.10.4  The with operator

Assuming module-type denotes a signature, the expression module-type with  mod-constraint { and mod-constraint } denotes the same signature where type equations have been added to some of the type specifications, as described by the constraints following the with keyword. The constraint type [type-parameters]  typeconstr =  typexpr adds the type equation = typexpr to the specification of the type component named typeconstr of the constrained signature. The constraint module module-path =  extended-module-path adds type equations to all type components of the sub-structure denoted by module-path, making them equivalent to the corresponding type components of the structure denoted by extended-module-path.

For instance, if the module type name S is bound to the signature

        sig type t module M: (sig type u end) end

then S with type t=int denotes the signature

        sig type t=int module M: (sig type u end) end

and S with module M = N denotes the signature

        sig type t module M: (sig type u=N.u end) end

A functor taking two arguments of type S that share their t component is written

        functor (A: S) (B: S with type t = A.t) ...

Constraints are added left to right. After each constraint has been applied, the resulting signature must be a subtype of the signature before the constraint was applied. Thus, the with operator can only add information on the type components of a signature, but never remove information.


Previous Up Next ocaml-doc-4.05/ocaml.html/depend.html0000644000175000017500000002772513131636457016447 0ustar mehdimehdi Chapter 13  Dependency generator (ocamldep) Previous Up Next

Chapter 13  Dependency generator (ocamldep)

The ocamldep command scans a set of OCaml source files (.ml and .mli files) for references to external compilation units, and outputs dependency lines in a format suitable for the make utility. This ensures that make will compile the source files in the correct order, and recompile those files that need to when a source file is modified.

The typical usage is:

        ocamldep options *.mli *.ml > .depend

where *.mli *.ml expands to all source files in the current directory and .depend is the file that should contain the dependencies. (See below for a typical Makefile.)

Dependencies are generated both for compiling with the bytecode compiler ocamlc and with the native-code compiler ocamlopt.

13.1  Options

The following command-line options are recognized by ocamldep.

-absname
Show absolute filenames in error messages.
-all
Generate dependencies on all required files, rather than assuming implicit dependencies.
-allow-approx
Allow falling back on a lexer-based approximation when parsing fails.
-args filename
Read additional newline-terminated command line arguments from filename.
-args0 filename
Read additional null character terminated command line arguments from filename.
-as-map
For the following files, do not include delayed dependencies for module aliases. This option assumes that they are compiled using options -no-alias-deps -w -49, and that those files or their interface are passed with the -map option when computing dependencies for other files. Note also that for dependencies to be correct in the implementation of a map file, its interface should not coerce any of the aliases it contains.
-debug-map
Dump the delayed dependency map for each map file.
-I directory
Add the given directory to the list of directories searched for source files. If a source file foo.ml mentions an external compilation unit Bar, a dependency on that unit’s interface bar.cmi is generated only if the source for bar is found in the current directory or in one of the directories specified with -I. Otherwise, Bar is assumed to be a module from the standard library, and no dependencies are generated. For programs that span multiple directories, it is recommended to pass ocamldep the same -I options that are passed to the compiler.
-impl file
Process file as a .ml file.
-intf file
Process file as a .mli file.
-map file
Read an propagate the delayed dependencies for module aliases in file, so that the following files will depend on the exported aliased modules if they use them. See the example below.
-ml-synonym .ext
Consider the given extension (with leading dot) to be a synonym for .ml.
-mli-synonym .ext
Consider the given extension (with leading dot) to be a synonym for .mli.
-modules
Output raw dependencies of the form
      filename: Module1 Module2 ... ModuleN
where Module1, …, ModuleN are the names of the compilation units referenced within the file filename, but these names are not resolved to source file names. Such raw dependencies cannot be used by make, but can be post-processed by other tools such as Omake.
-native
Generate dependencies for a pure native-code program (no bytecode version). When an implementation file (.ml file) has no explicit interface file (.mli file), ocamldep generates dependencies on the bytecode compiled file (.cmo file) to reflect interface changes. This can cause unnecessary bytecode recompilations for programs that are compiled to native-code only. The flag -native causes dependencies on native compiled files (.cmx) to be generated instead of on .cmo files. (This flag makes no difference if all source files have explicit .mli interface files.)
-one-line
Output one line per file, regardless of the length.
-open module
Assume that module module is opened before parsing each of the following files.
-plugin plugin
Dynamically load the code of the given plugin (a .cmo, .cma or .cmxs file) in ocamldep. plugin must exist in the same kind of code as ocamldep (ocamldep.byte must load bytecode plugins, while ocamldep.opt must load native code plugins), and extension adaptation is done automatically for .cma files (to .cmxs files if ocamldep is compiled in native code).
-pp command
Cause ocamldep to call the given command as a preprocessor for each source file.
-ppx command
Pipe abstract syntax trees through preprocessor command.
-slash
Under Windows, use a forward slash (/) as the path separator instead of the usual backward slash (\). Under Unix, this option does nothing.
-sort
Sort files according to their dependencies.
-version
Print version string and exit.
-vnum
Print short version number and exit.
-help or --help
Display a short usage summary and exit.

13.2  A typical Makefile

Here is a template Makefile for a OCaml program.

OCAMLC=ocamlc
OCAMLOPT=ocamlopt
OCAMLDEP=ocamldep
INCLUDES=                 # all relevant -I options here
OCAMLFLAGS=$(INCLUDES)    # add other options for ocamlc here
OCAMLOPTFLAGS=$(INCLUDES) # add other options for ocamlopt here

# prog1 should be compiled to bytecode, and is composed of three
# units: mod1, mod2 and mod3.

# The list of object files for prog1
PROG1_OBJS=mod1.cmo mod2.cmo mod3.cmo

prog1: $(PROG1_OBJS)
        $(OCAMLC) -o prog1 $(OCAMLFLAGS) $(PROG1_OBJS)

# prog2 should be compiled to native-code, and is composed of two
# units: mod4 and mod5.

# The list of object files for prog2
PROG2_OBJS=mod4.cmx mod5.cmx

prog2: $(PROG2_OBJS)
        $(OCAMLOPT) -o prog2 $(OCAMLFLAGS) $(PROG2_OBJS)

# Common rules
.SUFFIXES: .ml .mli .cmo .cmi .cmx

.ml.cmo:
        $(OCAMLC) $(OCAMLFLAGS) -c $<

.mli.cmi:
        $(OCAMLC) $(OCAMLFLAGS) -c $<

.ml.cmx:
        $(OCAMLOPT) $(OCAMLOPTFLAGS) -c $<

# Clean up
clean:
        rm -f prog1 prog2
        rm -f *.cm[iox]

# Dependencies
depend:
        $(OCAMLDEP) $(INCLUDES) *.mli *.ml > .depend

include .depend

If you use module aliases to give shorter names to modules, you need to change the above definitions. Assuming that your map file is called mylib.mli, here are minimal modifications.

OCAMLFLAGS=$(INCLUDES) -open Mylib

mylib.cmi: mylib.mli
        $(OCAMLC) $(INCLUDES) -no-alias-deps -w -49 -c $<

depend:
        $(OCAMLDEP) $(INCLUDES) -map mylib.mli $(PROG1_OBJS:.cmo=.ml) > .depend

Note that in this case you should not compute dependencies for mylib.mli together with the other files, hence the need to pass explicitly the list of files to process. If mylib.mli itself has dependencies, you should compute them using -as-map.


Previous Up Next ocaml-doc-4.05/ocaml.html/libref/0000755000175000017500000000000013131636452015543 5ustar mehdimehdiocaml-doc-4.05/ocaml.html/libref/type_Identifiable.S.T.html0000644000175000017500000001657713131636451022473 0ustar mehdimehdi Identifiable.S.T sig
  type t = t
  val equal : t -> t -> bool
  val hash : t -> int
  val compare : t -> t -> int
  val output : out_channel -> t -> unit
  val print : Format.formatter -> t -> unit
end
ocaml-doc-4.05/ocaml.html/libref/type_MoreLabels.Hashtbl.MakeSeeded.html0000644000175000017500000002660513131636446025105 0ustar mehdimehdi MoreLabels.Hashtbl.MakeSeeded functor (H : SeededHashedType->
  sig
    type key = H.t
    and 'a t
    val create : ?random:bool -> int -> 'a t
    val clear : 'a t -> unit
    val reset : 'a t -> unit
    val copy : 'a t -> 'a t
    val add : 'a t -> key:key -> data:'-> unit
    val remove : 'a t -> key -> unit
    val find : 'a t -> key -> 'a
    val find_opt : 'a t -> key -> 'a option
    val find_all : 'a t -> key -> 'a list
    val replace : 'a t -> key:key -> data:'-> unit
    val mem : 'a t -> key -> bool
    val iter : f:(key:key -> data:'-> unit) -> 'a t -> unit
    val filter_map_inplace :
      f:(key:key -> data:'-> 'a option) -> 'a t -> unit
    val fold : f:(key:key -> data:'-> '-> 'b) -> 'a t -> init:'-> 'b
    val length : 'a t -> int
    val stats : 'a t -> statistics
  end
ocaml-doc-4.05/ocaml.html/libref/Lexing.html0000644000175000017500000004625713131636445017677 0ustar mehdimehdi Lexing

Module Lexing

module Lexing: sig .. end
The run-time library for lexers generated by ocamllex.


Positions

type position = {
   pos_fname : string;
   pos_lnum : int;
   pos_bol : int;
   pos_cnum : int;
}
A value of type position describes a point in a source file. pos_fname is the file name; pos_lnum is the line number; pos_bol is the offset of the beginning of the line (number of characters between the beginning of the lexbuf and the beginning of the line); pos_cnum is the offset of the position (number of characters between the beginning of the lexbuf and the position). The difference between pos_cnum and pos_bol is the character offset within the line (i.e. the column number, assuming each character is one column wide).

See the documentation of type lexbuf for information about how the lexing engine will manage positions.

val dummy_pos : position
A value of type position, guaranteed to be different from any valid position.

Lexer buffers

type lexbuf = {
   refill_buff : lexbuf -> unit;
   mutable lex_buffer : bytes;
   mutable lex_buffer_len : int;
   mutable lex_abs_pos : int;
   mutable lex_start_pos : int;
   mutable lex_curr_pos : int;
   mutable lex_last_pos : int;
   mutable lex_last_action : int;
   mutable lex_eof_reached : bool;
   mutable lex_mem : int array;
   mutable lex_start_p : position;
   mutable lex_curr_p : position;
}
The type of lexer buffers. A lexer buffer is the argument passed to the scanning functions defined by the generated scanners. The lexer buffer holds the current state of the scanner, plus a function to refill the buffer from the input.

At each token, the lexing engine will copy lex_curr_p to lex_start_p, then change the pos_cnum field of lex_curr_p by updating it with the number of characters read since the start of the lexbuf. The other fields are left unchanged by the lexing engine. In order to keep them accurate, they must be initialised before the first use of the lexbuf, and updated by the relevant lexer actions (i.e. at each end of line -- see also new_line).

val from_channel : in_channel -> lexbuf
Create a lexer buffer on the given input channel. Lexing.from_channel inchan returns a lexer buffer which reads from the input channel inchan, at the current reading position.
val from_string : string -> lexbuf
Create a lexer buffer which reads from the given string. Reading starts from the first character in the string. An end-of-input condition is generated when the end of the string is reached.
val from_function : (bytes -> int -> int) -> lexbuf
Create a lexer buffer with the given function as its reading method. When the scanner needs more characters, it will call the given function, giving it a byte sequence s and a byte count n. The function should put n bytes or fewer in s, starting at index 0, and return the number of bytes provided. A return value of 0 means end of input.

Functions for lexer semantic actions


The following functions can be called from the semantic actions of lexer definitions (the ML code enclosed in braces that computes the value returned by lexing functions). They give access to the character string matched by the regular expression associated with the semantic action. These functions must be applied to the argument lexbuf, which, in the code generated by ocamllex, is bound to the lexer buffer passed to the parsing function.
val lexeme : lexbuf -> string
Lexing.lexeme lexbuf returns the string matched by the regular expression.
val lexeme_char : lexbuf -> int -> char
Lexing.lexeme_char lexbuf i returns character number i in the matched string.
val lexeme_start : lexbuf -> int
Lexing.lexeme_start lexbuf returns the offset in the input stream of the first character of the matched string. The first character of the stream has offset 0.
val lexeme_end : lexbuf -> int
Lexing.lexeme_end lexbuf returns the offset in the input stream of the character following the last character of the matched string. The first character of the stream has offset 0.
val lexeme_start_p : lexbuf -> position
Like lexeme_start, but return a complete position instead of an offset.
val lexeme_end_p : lexbuf -> position
Like lexeme_end, but return a complete position instead of an offset.
val new_line : lexbuf -> unit
Update the lex_curr_p field of the lexbuf to reflect the start of a new line. You can call this function in the semantic action of the rule that matches the end-of-line character.
Since 3.11.0

Miscellaneous functions

val flush_input : lexbuf -> unit
Discard the contents of the buffer and reset the current position to 0. The next use of the lexbuf will trigger a refill.
ocaml-doc-4.05/ocaml.html/libref/type_Event.html0000644000175000017500000002365613131636444020570 0ustar mehdimehdi Event sig
  type 'a channel
  val new_channel : unit -> 'Event.channel
  type +'a event
  val send : 'Event.channel -> '-> unit Event.event
  val receive : 'Event.channel -> 'Event.event
  val always : '-> 'Event.event
  val choose : 'Event.event list -> 'Event.event
  val wrap : 'Event.event -> ('-> 'b) -> 'Event.event
  val wrap_abort : 'Event.event -> (unit -> unit) -> 'Event.event
  val guard : (unit -> 'Event.event) -> 'Event.event
  val sync : 'Event.event -> 'a
  val select : 'Event.event list -> 'a
  val poll : 'Event.event -> 'a option
end
ocaml-doc-4.05/ocaml.html/libref/type_ArrayLabels.html0000644000175000017500000004432313131636441021677 0ustar mehdimehdi ArrayLabels sig
  external length : 'a array -> int = "%array_length"
  external get : 'a array -> int -> 'a = "%array_safe_get"
  external set : 'a array -> int -> '-> unit = "%array_safe_set"
  external make : int -> '-> 'a array = "caml_make_vect"
  external create : int -> '-> 'a array = "caml_make_vect"
  val init : int -> f:(int -> 'a) -> 'a array
  val make_matrix : dimx:int -> dimy:int -> '-> 'a array array
  val create_matrix : dimx:int -> dimy:int -> '-> 'a array array
  val append : 'a array -> 'a array -> 'a array
  val concat : 'a array list -> 'a array
  val sub : 'a array -> pos:int -> len:int -> 'a array
  val copy : 'a array -> 'a array
  val fill : 'a array -> pos:int -> len:int -> '-> unit
  val blit :
    src:'a array ->
    src_pos:int -> dst:'a array -> dst_pos:int -> len:int -> unit
  val to_list : 'a array -> 'a list
  val of_list : 'a list -> 'a array
  val iter : f:('-> unit) -> 'a array -> unit
  val map : f:('-> 'b) -> 'a array -> 'b array
  val iteri : f:(int -> '-> unit) -> 'a array -> unit
  val mapi : f:(int -> '-> 'b) -> 'a array -> 'b array
  val fold_left : f:('-> '-> 'a) -> init:'-> 'b array -> 'a
  val fold_right : f:('-> '-> 'a) -> 'b array -> init:'-> 'a
  val iter2 : f:('-> '-> unit) -> 'a array -> 'b array -> unit
  val map2 : f:('-> '-> 'c) -> 'a array -> 'b array -> 'c array
  val exists : f:('-> bool) -> 'a array -> bool
  val for_all : f:('-> bool) -> 'a array -> bool
  val mem : '-> set:'a array -> bool
  val memq : '-> set:'a array -> bool
  external create_float : int -> float array = "caml_make_float_vect"
  val make_float : int -> float array
  val sort : cmp:('-> '-> int) -> 'a array -> unit
  val stable_sort : cmp:('-> '-> int) -> 'a array -> unit
  val fast_sort : cmp:('-> '-> int) -> 'a array -> unit
  external unsafe_get : 'a array -> int -> 'a = "%array_unsafe_get"
  external unsafe_set : 'a array -> int -> '-> unit = "%array_unsafe_set"
end
ocaml-doc-4.05/ocaml.html/libref/Hashtbl.SeededS.html0000644000175000017500000002534013131636444021336 0ustar mehdimehdi Hashtbl.SeededS

Module type Hashtbl.SeededS

module type SeededS = sig .. end
The output signature of the functor Hashtbl.MakeSeeded.
Since 4.00.0

type key 
type 'a t 
val create : ?random:bool -> int -> 'a t
val clear : 'a t -> unit
val reset : 'a t -> unit
val copy : 'a t -> 'a t
val add : 'a t -> key -> 'a -> unit
val remove : 'a t -> key -> unit
val find : 'a t -> key -> 'a
val find_opt : 'a t -> key -> 'a option
Since 4.05.0
val find_all : 'a t -> key -> 'a list
val replace : 'a t -> key -> 'a -> unit
val mem : 'a t -> key -> bool
val iter : (key -> 'a -> unit) -> 'a t -> unit
val filter_map_inplace : (key -> 'a -> 'a option) -> 'a t -> unit
Since 4.03.0
val fold : (key -> 'a -> 'b -> 'b) -> 'a t -> 'b -> 'b
val length : 'a t -> int
val stats : 'a t -> Hashtbl.statistics
ocaml-doc-4.05/ocaml.html/libref/Queue.html0000644000175000017500000003151013131636450017513 0ustar mehdimehdi Queue

Module Queue

module Queue: sig .. end
First-in first-out queues.

This module implements queues (FIFOs), with in-place modification.

Warning This module is not thread-safe: each Queue.t value must be protected from concurrent access (e.g. with a Mutex.t). Failure to do so can lead to a crash.


type 'a t 
The type of queues containing elements of type 'a.
exception Empty
Raised when Queue.take or Queue.peek is applied to an empty queue.
val create : unit -> 'a t
Return a new queue, initially empty.
val add : 'a -> 'a t -> unit
add x q adds the element x at the end of the queue q.
val push : 'a -> 'a t -> unit
push is a synonym for add.
val take : 'a t -> 'a
take q removes and returns the first element in queue q, or raises Queue.Empty if the queue is empty.
val pop : 'a t -> 'a
pop is a synonym for take.
val peek : 'a t -> 'a
peek q returns the first element in queue q, without removing it from the queue, or raises Queue.Empty if the queue is empty.
val top : 'a t -> 'a
top is a synonym for peek.
val clear : 'a t -> unit
Discard all elements from a queue.
val copy : 'a t -> 'a t
Return a copy of the given queue.
val is_empty : 'a t -> bool
Return true if the given queue is empty, false otherwise.
val length : 'a t -> int
Return the number of elements in a queue.
val iter : ('a -> unit) -> 'a t -> unit
iter f q applies f in turn to all elements of q, from the least recently entered to the most recently entered. The queue itself is unchanged.
val fold : ('b -> 'a -> 'b) -> 'b -> 'a t -> 'b
fold f accu q is equivalent to List.fold_left f accu l, where l is the list of q's elements. The queue remains unchanged.
val transfer : 'a t -> 'a t -> unit
transfer q1 q2 adds all of q1's elements at the end of the queue q2, then clears q1. It is equivalent to the sequence iter (fun x -> add x q2) q1; clear q1, but runs in constant time.
ocaml-doc-4.05/ocaml.html/libref/type_Ephemeron.Kn.html0000644000175000017500000005713613131636443021777 0ustar mehdimehdi Ephemeron.Kn sig
  type ('k, 'd) t
  val create : int -> ('k, 'd) Ephemeron.Kn.t
  val get_key : ('k, 'd) Ephemeron.Kn.t -> int -> 'k option
  val get_key_copy : ('k, 'd) Ephemeron.Kn.t -> int -> 'k option
  val set_key : ('k, 'd) Ephemeron.Kn.t -> int -> '-> unit
  val unset_key : ('k, 'd) Ephemeron.Kn.t -> int -> unit
  val check_key : ('k, 'd) Ephemeron.Kn.t -> int -> bool
  val blit_key :
    ('k, 'a) Ephemeron.Kn.t ->
    int -> ('k, 'b) Ephemeron.Kn.t -> int -> int -> unit
  val get_data : ('k, 'd) Ephemeron.Kn.t -> 'd option
  val get_data_copy : ('k, 'd) Ephemeron.Kn.t -> 'd option
  val set_data : ('k, 'd) Ephemeron.Kn.t -> '-> unit
  val unset_data : ('k, 'd) Ephemeron.Kn.t -> unit
  val check_data : ('k, 'd) Ephemeron.Kn.t -> bool
  val blit_data : ('k, 'd) Ephemeron.Kn.t -> ('k, 'd) Ephemeron.Kn.t -> unit
  module Make :
    functor (H : Hashtbl.HashedType->
      sig
        type key = H.t array
        type 'a t
        val create : int -> 'a t
        val clear : 'a t -> unit
        val reset : 'a t -> unit
        val copy : 'a t -> 'a t
        val add : 'a t -> key -> '-> unit
        val remove : 'a t -> key -> unit
        val find : 'a t -> key -> 'a
        val find_opt : 'a t -> key -> 'a option
        val find_all : 'a t -> key -> 'a list
        val replace : 'a t -> key -> '-> unit
        val mem : 'a t -> key -> bool
        val iter : (key -> '-> unit) -> 'a t -> unit
        val filter_map_inplace : (key -> '-> 'a option) -> 'a t -> unit
        val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
        val length : 'a t -> int
        val stats : 'a t -> Hashtbl.statistics
        val clean : 'a t -> unit
        val stats_alive : 'a t -> Hashtbl.statistics
      end
  module MakeSeeded :
    functor (H : Hashtbl.SeededHashedType->
      sig
        type key = H.t array
        type 'a t
        val create : ?random:bool -> int -> 'a t
        val clear : 'a t -> unit
        val reset : 'a t -> unit
        val copy : 'a t -> 'a t
        val add : 'a t -> key -> '-> unit
        val remove : 'a t -> key -> unit
        val find : 'a t -> key -> 'a
        val find_opt : 'a t -> key -> 'a option
        val find_all : 'a t -> key -> 'a list
        val replace : 'a t -> key -> '-> unit
        val mem : 'a t -> key -> bool
        val iter : (key -> '-> unit) -> 'a t -> unit
        val filter_map_inplace : (key -> '-> 'a option) -> 'a t -> unit
        val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
        val length : 'a t -> int
        val stats : 'a t -> Hashtbl.statistics
        val clean : 'a t -> unit
        val stats_alive : 'a t -> Hashtbl.statistics
      end
end
ocaml-doc-4.05/ocaml.html/libref/type_Ast_helper.Mty.html0000644000175000017500000002601513131636441022332 0ustar mehdimehdi Ast_helper.Mty sig
  val mk :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Parsetree.module_type_desc -> Parsetree.module_type
  val attr :
    Parsetree.module_type -> Parsetree.attribute -> Parsetree.module_type
  val ident :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs -> Ast_helper.lid -> Parsetree.module_type
  val alias :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs -> Ast_helper.lid -> Parsetree.module_type
  val signature :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs -> Parsetree.signature -> Parsetree.module_type
  val functor_ :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Ast_helper.str ->
    Parsetree.module_type option ->
    Parsetree.module_type -> Parsetree.module_type
  val with_ :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Parsetree.module_type ->
    Parsetree.with_constraint list -> Parsetree.module_type
  val typeof_ :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs -> Parsetree.module_expr -> Parsetree.module_type
  val extension :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs -> Parsetree.extension -> Parsetree.module_type
end
ocaml-doc-4.05/ocaml.html/libref/type_MoreLabels.Map.Make.html0000644000175000017500000004412013131636446023113 0ustar mehdimehdi MoreLabels.Map.Make functor (Ord : OrderedType->
  sig
    type key = Ord.t
    and +'a t
    val empty : 'a t
    val is_empty : 'a t -> bool
    val mem : key -> 'a t -> bool
    val add : key:key -> data:'-> 'a t -> 'a t
    val singleton : key -> '-> 'a t
    val remove : key -> 'a t -> 'a t
    val merge :
      f:(key -> 'a option -> 'b option -> 'c option) -> 'a t -> 'b t -> 'c t
    val union : f:(key -> '-> '-> 'a option) -> 'a t -> 'a t -> 'a t
    val compare : cmp:('-> '-> int) -> 'a t -> 'a t -> int
    val equal : cmp:('-> '-> bool) -> 'a t -> 'a t -> bool
    val iter : f:(key:key -> data:'-> unit) -> 'a t -> unit
    val fold : f:(key:key -> data:'-> '-> 'b) -> 'a t -> init:'-> 'b
    val for_all : f:(key -> '-> bool) -> 'a t -> bool
    val exists : f:(key -> '-> bool) -> 'a t -> bool
    val filter : f:(key -> '-> bool) -> 'a t -> 'a t
    val partition : f:(key -> '-> bool) -> 'a t -> 'a t * 'a t
    val cardinal : 'a t -> int
    val bindings : 'a t -> (key * 'a) list
    val min_binding : 'a t -> key * 'a
    val min_binding_opt : 'a t -> (key * 'a) option
    val max_binding : 'a t -> key * 'a
    val max_binding_opt : 'a t -> (key * 'a) option
    val choose : 'a t -> key * 'a
    val choose_opt : 'a t -> (key * 'a) option
    val split : key -> 'a t -> 'a t * 'a option * 'a t
    val find : key -> 'a t -> 'a
    val find_opt : key -> 'a t -> 'a option
    val find_first : f:(key -> bool) -> 'a t -> key * 'a
    val find_first_opt : f:(key -> bool) -> 'a t -> (key * 'a) option
    val find_last : f:(key -> bool) -> 'a t -> key * 'a
    val find_last_opt : f:(key -> bool) -> 'a t -> (key * 'a) option
    val map : f:('-> 'b) -> 'a t -> 'b t
    val mapi : f:(key -> '-> 'b) -> 'a t -> 'b t
  end
ocaml-doc-4.05/ocaml.html/libref/type_Thread.html0000644000175000017500000002402713131636451020705 0ustar mehdimehdi Thread sig
  type t
  val create : ('-> 'b) -> '-> Thread.t
  val self : unit -> Thread.t
  val id : Thread.t -> int
  val exit : unit -> unit
  val kill : Thread.t -> unit
  val delay : float -> unit
  val join : Thread.t -> unit
  val wait_read : Unix.file_descr -> unit
  val wait_write : Unix.file_descr -> unit
  val wait_timed_read : Unix.file_descr -> float -> bool
  val wait_timed_write : Unix.file_descr -> float -> bool
  val select :
    Unix.file_descr list ->
    Unix.file_descr list ->
    Unix.file_descr list ->
    float ->
    Unix.file_descr list * Unix.file_descr list * Unix.file_descr list
  val wait_pid : int -> int * Unix.process_status
  val yield : unit -> unit
  val sigmask : Unix.sigprocmask_command -> int list -> int list
  val wait_signal : int list -> int
end
ocaml-doc-4.05/ocaml.html/libref/Ratio.html0000644000175000017500000001651013131636450017510 0ustar mehdimehdi Ratio

Module Ratio

module Ratio: sig .. end
Operation on rational numbers.

This module is used to support the implementation of Num and should not be called directly.


type ratio 
ocaml-doc-4.05/ocaml.html/libref/Clflags.html0000644000175000017500000010711113131636443020005 0ustar mehdimehdi Clflags

Module Clflags

module Clflags: sig .. end
Optimization parameters represented as ints indexed by round number.

module Int_arg_helper: sig .. end
module Float_arg_helper: sig .. end
Optimization parameters represented as floats indexed by round number.
type inlining_arguments = {
   inline_call_cost : int option;
   inline_alloc_cost : int option;
   inline_prim_cost : int option;
   inline_branch_cost : int option;
   inline_indirect_cost : int option;
   inline_lifting_benefit : int option;
   inline_branch_factor : float option;
   inline_max_depth : int option;
   inline_max_unroll : int option;
   inline_threshold : float option;
   inline_toplevel_threshold : int option;
}
val classic_arguments : inlining_arguments
val o1_arguments : inlining_arguments
val o2_arguments : inlining_arguments
val o3_arguments : inlining_arguments
val use_inlining_arguments_set : ?round:int -> inlining_arguments -> unit
Set all the inlining arguments for a round. The default is set if no round is provided.
val objfiles : string list ref
val ccobjs : string list ref
val dllibs : string list ref
val compile_only : bool ref
val output_name : string option ref
val include_dirs : string list ref
val no_std_include : bool ref
val print_types : bool ref
val make_archive : bool ref
val debug : bool ref
val fast : bool ref
val link_everything : bool ref
val custom_runtime : bool ref
val no_check_prims : bool ref
val bytecode_compatible_32 : bool ref
val output_c_object : bool ref
val output_complete_object : bool ref
val all_ccopts : string list ref
val classic : bool ref
val nopervasives : bool ref
val open_modules : string list ref
val preprocessor : string option ref
val all_ppx : string list ref
val annotations : bool ref
val binary_annotations : bool ref
val use_threads : bool ref
val use_vmthreads : bool ref
val noassert : bool ref
val verbose : bool ref
val noprompt : bool ref
val nopromptcont : bool ref
val init_file : string option ref
val noinit : bool ref
val noversion : bool ref
val use_prims : string ref
val use_runtime : string ref
val principal : bool ref
val real_paths : bool ref
val recursive_types : bool ref
val strict_sequence : bool ref
val strict_formats : bool ref
val applicative_functors : bool ref
val make_runtime : bool ref
val gprofile : bool ref
val c_compiler : string option ref
val no_auto_link : bool ref
val dllpaths : string list ref
val make_package : bool ref
val for_package : string option ref
val error_size : int ref
val float_const_prop : bool ref
val transparent_modules : bool ref
val dump_source : bool ref
val dump_parsetree : bool ref
val dump_typedtree : bool ref
val dump_rawlambda : bool ref
val dump_lambda : bool ref
val dump_rawclambda : bool ref
val dump_clambda : bool ref
val dump_rawflambda : bool ref
val dump_flambda : bool ref
val dump_flambda_let : int option ref
val dump_instr : bool ref
val keep_asm_file : bool ref
val optimize_for_speed : bool ref
val dump_cmm : bool ref
val dump_selection : bool ref
val dump_cse : bool ref
val dump_live : bool ref
val dump_spill : bool ref
val dump_split : bool ref
val dump_interf : bool ref
val dump_prefer : bool ref
val dump_regalloc : bool ref
val dump_reload : bool ref
val dump_scheduling : bool ref
val dump_linear : bool ref
val keep_startup_file : bool ref
val dump_combine : bool ref
val native_code : bool ref
val default_inline_threshold : float
val inline_threshold : Float_arg_helper.parsed ref
val inlining_report : bool ref
val simplify_rounds : int option ref
val default_simplify_rounds : int ref
val rounds : unit -> int
val default_inline_max_unroll : int
val inline_max_unroll : Int_arg_helper.parsed ref
val default_inline_toplevel_threshold : int
val inline_toplevel_threshold : Int_arg_helper.parsed ref
val default_inline_call_cost : int
val default_inline_alloc_cost : int
val default_inline_prim_cost : int
val default_inline_branch_cost : int
val default_inline_indirect_cost : int
val default_inline_lifting_benefit : int
val inline_call_cost : Int_arg_helper.parsed ref
val inline_alloc_cost : Int_arg_helper.parsed ref
val inline_prim_cost : Int_arg_helper.parsed ref
val inline_branch_cost : Int_arg_helper.parsed ref
val inline_indirect_cost : Int_arg_helper.parsed ref
val inline_lifting_benefit : Int_arg_helper.parsed ref
val default_inline_branch_factor : float
val inline_branch_factor : Float_arg_helper.parsed ref
val dont_write_files : bool ref
val std_include_flag : string -> string
val std_include_dir : unit -> string list
val shared : bool ref
val dlcode : bool ref
val pic_code : bool ref
val runtime_variant : string ref
val force_slash : bool ref
val keep_docs : bool ref
val keep_locs : bool ref
val unsafe_string : bool ref
val opaque : bool ref
val print_timings : bool ref
val flambda_invariant_checks : bool ref
val unbox_closures : bool ref
val unbox_closures_factor : int ref
val default_unbox_closures_factor : int
val unbox_free_vars_of_closures : bool ref
val unbox_specialised_args : bool ref
val clambda_checks : bool ref
val default_inline_max_depth : int
val inline_max_depth : Int_arg_helper.parsed ref
val remove_unused_arguments : bool ref
val dump_flambda_verbose : bool ref
val classic_inlining : bool ref
val afl_instrument : bool ref
val afl_inst_ratio : int ref
val all_passes : string list ref
val dumped_pass : string -> bool
val set_dumped_pass : string -> bool -> unit
val parse_color_setting : string -> Misc.Color.setting option
val color : Misc.Color.setting option ref
val unboxed_types : bool ref
val arg_spec : (string * Arg.spec * string) list ref
val add_arguments : string -> (string * Arg.spec * string) list -> unit
val parse_arguments : Arg.anon_fun -> string -> unit
val print_arguments : string -> unit
ocaml-doc-4.05/ocaml.html/libref/type_Ast_iterator.html0000644000175000017500000004367313131636441022145 0ustar mehdimehdi Ast_iterator sig
  type iterator = {
    attribute : Ast_iterator.iterator -> Parsetree.attribute -> unit;
    attributes : Ast_iterator.iterator -> Parsetree.attribute list -> unit;
    case : Ast_iterator.iterator -> Parsetree.case -> unit;
    cases : Ast_iterator.iterator -> Parsetree.case list -> unit;
    class_declaration :
      Ast_iterator.iterator -> Parsetree.class_declaration -> unit;
    class_description :
      Ast_iterator.iterator -> Parsetree.class_description -> unit;
    class_expr : Ast_iterator.iterator -> Parsetree.class_expr -> unit;
    class_field : Ast_iterator.iterator -> Parsetree.class_field -> unit;
    class_signature :
      Ast_iterator.iterator -> Parsetree.class_signature -> unit;
    class_structure :
      Ast_iterator.iterator -> Parsetree.class_structure -> unit;
    class_type : Ast_iterator.iterator -> Parsetree.class_type -> unit;
    class_type_declaration :
      Ast_iterator.iterator -> Parsetree.class_type_declaration -> unit;
    class_type_field :
      Ast_iterator.iterator -> Parsetree.class_type_field -> unit;
    constructor_declaration :
      Ast_iterator.iterator -> Parsetree.constructor_declaration -> unit;
    expr : Ast_iterator.iterator -> Parsetree.expression -> unit;
    extension : Ast_iterator.iterator -> Parsetree.extension -> unit;
    extension_constructor :
      Ast_iterator.iterator -> Parsetree.extension_constructor -> unit;
    include_declaration :
      Ast_iterator.iterator -> Parsetree.include_declaration -> unit;
    include_description :
      Ast_iterator.iterator -> Parsetree.include_description -> unit;
    label_declaration :
      Ast_iterator.iterator -> Parsetree.label_declaration -> unit;
    location : Ast_iterator.iterator -> Location.t -> unit;
    module_binding :
      Ast_iterator.iterator -> Parsetree.module_binding -> unit;
    module_declaration :
      Ast_iterator.iterator -> Parsetree.module_declaration -> unit;
    module_expr : Ast_iterator.iterator -> Parsetree.module_expr -> unit;
    module_type : Ast_iterator.iterator -> Parsetree.module_type -> unit;
    module_type_declaration :
      Ast_iterator.iterator -> Parsetree.module_type_declaration -> unit;
    open_description :
      Ast_iterator.iterator -> Parsetree.open_description -> unit;
    pat : Ast_iterator.iterator -> Parsetree.pattern -> unit;
    payload : Ast_iterator.iterator -> Parsetree.payload -> unit;
    signature : Ast_iterator.iterator -> Parsetree.signature -> unit;
    signature_item :
      Ast_iterator.iterator -> Parsetree.signature_item -> unit;
    structure : Ast_iterator.iterator -> Parsetree.structure -> unit;
    structure_item :
      Ast_iterator.iterator -> Parsetree.structure_item -> unit;
    typ : Ast_iterator.iterator -> Parsetree.core_type -> unit;
    type_declaration :
      Ast_iterator.iterator -> Parsetree.type_declaration -> unit;
    type_extension :
      Ast_iterator.iterator -> Parsetree.type_extension -> unit;
    type_kind : Ast_iterator.iterator -> Parsetree.type_kind -> unit;
    value_binding : Ast_iterator.iterator -> Parsetree.value_binding -> unit;
    value_description :
      Ast_iterator.iterator -> Parsetree.value_description -> unit;
    with_constraint :
      Ast_iterator.iterator -> Parsetree.with_constraint -> unit;
  }
  val default_iterator : Ast_iterator.iterator
end
ocaml-doc-4.05/ocaml.html/libref/type_Identifiable.Thing.html0000644000175000017500000001711113131636444023123 0ustar mehdimehdi Identifiable.Thing sig
  type t
  val equal : t -> t -> bool
  val hash : t -> int
  val compare : t -> t -> int
  val output : Pervasives.out_channel -> Identifiable.Thing.t -> unit
  val print : Format.formatter -> Identifiable.Thing.t -> unit
end
ocaml-doc-4.05/ocaml.html/libref/Spacetime.Snapshot.html0000644000175000017500000002002413131636450022135 0ustar mehdimehdi Spacetime.Snapshot

Module Spacetime.Snapshot

module Snapshot: sig .. end

val take : ?time:float -> Spacetime.Series.t -> unit
take series takes a snapshot of the profiling annotations on the values in the minor and major heaps, together with GC stats, and write the result to the series file. This function triggers a minor GC but does not allocate any memory itself. If the optional time is specified, it will be used instead of the result of Sys.time as the timestamp of the snapshot. Such times should start from zero and be monotonically increasing. This parameter is intended to be used so that snapshots can be correlated against wall clock time (which is not supported in the standard library) rather than elapsed CPU time.
ocaml-doc-4.05/ocaml.html/libref/type_Callback.html0000644000175000017500000001551613131636442021175 0ustar mehdimehdi Callback sig
  val register : string -> '-> unit
  val register_exception : string -> exn -> unit
end
ocaml-doc-4.05/ocaml.html/libref/type_Sys.html0000644000175000017500000003525113131636451020255 0ustar mehdimehdi Sys sig
  val argv : string array
  val executable_name : string
  external file_exists : string -> bool = "caml_sys_file_exists"
  external is_directory : string -> bool = "caml_sys_is_directory"
  external remove : string -> unit = "caml_sys_remove"
  external rename : string -> string -> unit = "caml_sys_rename"
  external getenv : string -> string = "caml_sys_getenv"
  val getenv_opt : string -> string option
  external command : string -> int = "caml_sys_system_command"
  external time : unit -> (float [@unboxed]) = "caml_sys_time"
    "caml_sys_time_unboxed" [@@noalloc]
  external chdir : string -> unit = "caml_sys_chdir"
  external getcwd : unit -> string = "caml_sys_getcwd"
  external readdir : string -> string array = "caml_sys_read_directory"
  val interactive : bool Pervasives.ref
  val os_type : string
  type backend_type = Native | Bytecode | Other of string
  val backend_type : Sys.backend_type
  val unix : bool
  val win32 : bool
  val cygwin : bool
  val word_size : int
  val int_size : int
  val big_endian : bool
  val max_string_length : int
  val max_array_length : int
  external runtime_variant : unit -> string = "caml_runtime_variant"
  external runtime_parameters : unit -> string = "caml_runtime_parameters"
  type signal_behavior =
      Signal_default
    | Signal_ignore
    | Signal_handle of (int -> unit)
  external signal : int -> Sys.signal_behavior -> Sys.signal_behavior
    = "caml_install_signal_handler"
  val set_signal : int -> Sys.signal_behavior -> unit
  val sigabrt : int
  val sigalrm : int
  val sigfpe : int
  val sighup : int
  val sigill : int
  val sigint : int
  val sigkill : int
  val sigpipe : int
  val sigquit : int
  val sigsegv : int
  val sigterm : int
  val sigusr1 : int
  val sigusr2 : int
  val sigchld : int
  val sigcont : int
  val sigstop : int
  val sigtstp : int
  val sigttin : int
  val sigttou : int
  val sigvtalrm : int
  val sigprof : int
  val sigbus : int
  val sigpoll : int
  val sigsys : int
  val sigtrap : int
  val sigurg : int
  val sigxcpu : int
  val sigxfsz : int
  exception Break
  val catch_break : bool -> unit
  val ocaml_version : string
  val enable_runtime_warnings : bool -> unit
  val runtime_warnings_enabled : unit -> bool
  external opaque_identity : '-> 'a = "%opaque"
end
ocaml-doc-4.05/ocaml.html/libref/type_MoreLabels.Map.S.html0000644000175000017500000006624013131636446022447 0ustar mehdimehdi MoreLabels.Map.S sig
  type key
  and +'a t
  val empty : 'MoreLabels.Map.S.t
  val is_empty : 'MoreLabels.Map.S.t -> bool
  val mem : MoreLabels.Map.S.key -> 'MoreLabels.Map.S.t -> bool
  val add :
    key:MoreLabels.Map.S.key ->
    data:'-> 'MoreLabels.Map.S.t -> 'MoreLabels.Map.S.t
  val singleton : MoreLabels.Map.S.key -> '-> 'MoreLabels.Map.S.t
  val remove :
    MoreLabels.Map.S.key -> 'MoreLabels.Map.S.t -> 'MoreLabels.Map.S.t
  val merge :
    f:(MoreLabels.Map.S.key -> 'a option -> 'b option -> 'c option) ->
    'MoreLabels.Map.S.t -> 'MoreLabels.Map.S.t -> 'MoreLabels.Map.S.t
  val union :
    f:(MoreLabels.Map.S.key -> '-> '-> 'a option) ->
    'MoreLabels.Map.S.t -> 'MoreLabels.Map.S.t -> 'MoreLabels.Map.S.t
  val compare :
    cmp:('-> '-> int) ->
    'MoreLabels.Map.S.t -> 'MoreLabels.Map.S.t -> int
  val equal :
    cmp:('-> '-> bool) ->
    'MoreLabels.Map.S.t -> 'MoreLabels.Map.S.t -> bool
  val iter :
    f:(key:MoreLabels.Map.S.key -> data:'-> unit) ->
    'MoreLabels.Map.S.t -> unit
  val fold :
    f:(key:MoreLabels.Map.S.key -> data:'-> '-> 'b) ->
    'MoreLabels.Map.S.t -> init:'-> 'b
  val for_all :
    f:(MoreLabels.Map.S.key -> '-> bool) -> 'MoreLabels.Map.S.t -> bool
  val exists :
    f:(MoreLabels.Map.S.key -> '-> bool) -> 'MoreLabels.Map.S.t -> bool
  val filter :
    f:(MoreLabels.Map.S.key -> '-> bool) ->
    'MoreLabels.Map.S.t -> 'MoreLabels.Map.S.t
  val partition :
    f:(MoreLabels.Map.S.key -> '-> bool) ->
    'MoreLabels.Map.S.t -> 'MoreLabels.Map.S.t * 'MoreLabels.Map.S.t
  val cardinal : 'MoreLabels.Map.S.t -> int
  val bindings : 'MoreLabels.Map.S.t -> (MoreLabels.Map.S.key * 'a) list
  val min_binding : 'MoreLabels.Map.S.t -> MoreLabels.Map.S.key * 'a
  val min_binding_opt :
    'MoreLabels.Map.S.t -> (MoreLabels.Map.S.key * 'a) option
  val max_binding : 'MoreLabels.Map.S.t -> MoreLabels.Map.S.key * 'a
  val max_binding_opt :
    'MoreLabels.Map.S.t -> (MoreLabels.Map.S.key * 'a) option
  val choose : 'MoreLabels.Map.S.t -> MoreLabels.Map.S.key * 'a
  val choose_opt :
    'MoreLabels.Map.S.t -> (MoreLabels.Map.S.key * 'a) option
  val split :
    MoreLabels.Map.S.key ->
    'MoreLabels.Map.S.t ->
    'MoreLabels.Map.S.t * 'a option * 'MoreLabels.Map.S.t
  val find : MoreLabels.Map.S.key -> 'MoreLabels.Map.S.t -> 'a
  val find_opt : MoreLabels.Map.S.key -> 'MoreLabels.Map.S.t -> 'a option
  val find_first :
    f:(MoreLabels.Map.S.key -> bool) ->
    'MoreLabels.Map.S.t -> MoreLabels.Map.S.key * 'a
  val find_first_opt :
    f:(MoreLabels.Map.S.key -> bool) ->
    'MoreLabels.Map.S.t -> (MoreLabels.Map.S.key * 'a) option
  val find_last :
    f:(MoreLabels.Map.S.key -> bool) ->
    'MoreLabels.Map.S.t -> MoreLabels.Map.S.key * 'a
  val find_last_opt :
    f:(MoreLabels.Map.S.key -> bool) ->
    'MoreLabels.Map.S.t -> (MoreLabels.Map.S.key * 'a) option
  val map : f:('-> 'b) -> 'MoreLabels.Map.S.t -> 'MoreLabels.Map.S.t
  val mapi :
    f:(MoreLabels.Map.S.key -> '-> 'b) ->
    'MoreLabels.Map.S.t -> 'MoreLabels.Map.S.t
end
ocaml-doc-4.05/ocaml.html/libref/type_Identifiable.S.html0000644000175000017500000013373313131636445022266 0ustar mehdimehdi Identifiable.S sig
  type t
  module T :
    sig
      type t = t
      val equal : t -> t -> bool
      val hash : t -> int
      val compare : t -> t -> int
      val output : out_channel -> t -> unit
      val print : Format.formatter -> t -> unit
    end
  val equal : T.t -> T.t -> bool
  val hash : T.t -> int
  val compare : T.t -> T.t -> int
  val output : out_channel -> T.t -> unit
  val print : Format.formatter -> T.t -> unit
  module Set :
    sig
      type elt = T.t
      type t = Set.Make(T).t
      val empty : t
      val is_empty : t -> bool
      val mem : elt -> t -> bool
      val add : elt -> t -> t
      val singleton : elt -> t
      val remove : elt -> t -> t
      val union : t -> t -> t
      val inter : t -> t -> t
      val diff : t -> t -> t
      val compare : t -> t -> int
      val equal : t -> t -> bool
      val subset : t -> t -> bool
      val iter : (elt -> unit) -> t -> unit
      val fold : (elt -> '-> 'a) -> t -> '-> 'a
      val for_all : (elt -> bool) -> t -> bool
      val exists : (elt -> bool) -> t -> bool
      val filter : (elt -> bool) -> t -> t
      val partition : (elt -> bool) -> t -> t * t
      val cardinal : t -> int
      val elements : t -> elt list
      val min_elt : t -> elt
      val min_elt_opt : t -> elt option
      val max_elt : t -> elt
      val max_elt_opt : t -> elt option
      val choose : t -> elt
      val choose_opt : t -> elt option
      val split : elt -> t -> t * bool * t
      val find : elt -> t -> elt
      val find_opt : elt -> t -> elt option
      val find_first : (elt -> bool) -> t -> elt
      val find_first_opt : (elt -> bool) -> t -> elt option
      val find_last : (elt -> bool) -> t -> elt
      val find_last_opt : (elt -> bool) -> t -> elt option
      val output : Pervasives.out_channel -> Identifiable.S.t -> unit
      val print : Format.formatter -> Identifiable.S.t -> unit
      val to_string : Identifiable.S.t -> string
      val of_list : elt list -> Identifiable.S.t
      val map : (elt -> elt) -> Identifiable.S.t -> Identifiable.S.t
    end
  module Map :
    sig
      type key = T.t
      type 'a t = 'Map.Make(T).t
      val empty : 'a t
      val is_empty : 'a t -> bool
      val mem : key -> 'a t -> bool
      val add : key -> '-> 'a t -> 'a t
      val singleton : key -> '-> 'a t
      val remove : key -> 'a t -> 'a t
      val merge :
        (key -> 'a option -> 'b option -> 'c option) -> 'a t -> 'b t -> 'c t
      val union : (key -> '-> '-> 'a option) -> 'a t -> 'a t -> 'a t
      val compare : ('-> '-> int) -> 'a t -> 'a t -> int
      val equal : ('-> '-> bool) -> 'a t -> 'a t -> bool
      val iter : (key -> '-> unit) -> 'a t -> unit
      val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
      val for_all : (key -> '-> bool) -> 'a t -> bool
      val exists : (key -> '-> bool) -> 'a t -> bool
      val filter : (key -> '-> bool) -> 'a t -> 'a t
      val partition : (key -> '-> bool) -> 'a t -> 'a t * 'a t
      val cardinal : 'a t -> int
      val bindings : 'a t -> (key * 'a) list
      val min_binding : 'a t -> key * 'a
      val min_binding_opt : 'a t -> (key * 'a) option
      val max_binding : 'a t -> key * 'a
      val max_binding_opt : 'a t -> (key * 'a) option
      val choose : 'a t -> key * 'a
      val choose_opt : 'a t -> (key * 'a) option
      val split : key -> 'a t -> 'a t * 'a option * 'a t
      val find : key -> 'a t -> 'a
      val find_opt : key -> 'a t -> 'a option
      val find_first : (key -> bool) -> 'a t -> key * 'a
      val find_first_opt : (key -> bool) -> 'a t -> (key * 'a) option
      val find_last : (key -> bool) -> 'a t -> key * 'a
      val find_last_opt : (key -> bool) -> 'a t -> (key * 'a) option
      val map : ('-> 'b) -> 'a t -> 'b t
      val mapi : (key -> '-> 'b) -> 'a t -> 'b t
      val filter_map :
        'Identifiable.S.t ->
        f:(key -> '-> 'b option) -> 'Identifiable.S.t
      val of_list : (key * 'a) list -> 'Identifiable.S.t
      val disjoint_union :
        ?eq:('-> '-> bool) ->
        ?print:(Format.formatter -> '-> unit) ->
        'Identifiable.S.t -> 'Identifiable.S.t -> 'Identifiable.S.t
      val union_right :
        'Identifiable.S.t -> 'Identifiable.S.t -> 'Identifiable.S.t
      val union_left :
        'Identifiable.S.t -> 'Identifiable.S.t -> 'Identifiable.S.t
      val union_merge :
        ('-> '-> 'a) ->
        'Identifiable.S.t -> 'Identifiable.S.t -> 'Identifiable.S.t
      val rename : key Identifiable.S.t -> key -> key
      val map_keys :
        (key -> key) -> 'Identifiable.S.t -> 'Identifiable.S.t
      val keys : 'Identifiable.S.t -> Identifiable.S.Set.t
      val data : 'Identifiable.S.t -> 'a list
      val of_set : (key -> 'a) -> Identifiable.S.Set.t -> 'Identifiable.S.t
      val transpose_keys_and_data :
        key Identifiable.S.t -> key Identifiable.S.t
      val transpose_keys_and_data_set :
        key Identifiable.S.t -> Identifiable.S.Set.t Identifiable.S.t
      val print :
        (Format.formatter -> '-> unit) ->
        Format.formatter -> 'Identifiable.S.t -> unit
    end
  module Tbl :
    sig
      type key = T.t
      type 'a t = 'Hashtbl.Make(T).t
      val create : int -> 'a t
      val clear : 'a t -> unit
      val reset : 'a t -> unit
      val copy : 'a t -> 'a t
      val add : 'a t -> key -> '-> unit
      val remove : 'a t -> key -> unit
      val find : 'a t -> key -> 'a
      val find_opt : 'a t -> key -> 'a option
      val find_all : 'a t -> key -> 'a list
      val replace : 'a t -> key -> '-> unit
      val mem : 'a t -> key -> bool
      val iter : (key -> '-> unit) -> 'a t -> unit
      val filter_map_inplace : (key -> '-> 'a option) -> 'a t -> unit
      val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
      val length : 'a t -> int
      val stats : 'a t -> Hashtbl.statistics
      val to_list : 'Identifiable.S.t -> (Identifiable.S.T.t * 'a) list
      val of_list : (Identifiable.S.T.t * 'a) list -> 'Identifiable.S.t
      val to_map : 'Identifiable.S.t -> 'Identifiable.S.Map.t
      val of_map : 'Identifiable.S.Map.t -> 'Identifiable.S.t
      val memoize : 'Identifiable.S.t -> (key -> 'a) -> key -> 'a
      val map : 'Identifiable.S.t -> ('-> 'b) -> 'Identifiable.S.t
    end
end
ocaml-doc-4.05/ocaml.html/libref/type_Ephemeron.K1.html0000644000175000017500000005616313131636443021701 0ustar mehdimehdi Ephemeron.K1 sig
  type ('k, 'd) t
  val create : unit -> ('k, 'd) Ephemeron.K1.t
  val get_key : ('k, 'd) Ephemeron.K1.t -> 'k option
  val get_key_copy : ('k, 'd) Ephemeron.K1.t -> 'k option
  val set_key : ('k, 'd) Ephemeron.K1.t -> '-> unit
  val unset_key : ('k, 'd) Ephemeron.K1.t -> unit
  val check_key : ('k, 'd) Ephemeron.K1.t -> bool
  val blit_key : ('k, 'a) Ephemeron.K1.t -> ('k, 'b) Ephemeron.K1.t -> unit
  val get_data : ('k, 'd) Ephemeron.K1.t -> 'd option
  val get_data_copy : ('k, 'd) Ephemeron.K1.t -> 'd option
  val set_data : ('k, 'd) Ephemeron.K1.t -> '-> unit
  val unset_data : ('k, 'd) Ephemeron.K1.t -> unit
  val check_data : ('k, 'd) Ephemeron.K1.t -> bool
  val blit_data : ('a, 'd) Ephemeron.K1.t -> ('b, 'd) Ephemeron.K1.t -> unit
  module Make :
    functor (H : Hashtbl.HashedType->
      sig
        type key = H.t
        type 'a t
        val create : int -> 'a t
        val clear : 'a t -> unit
        val reset : 'a t -> unit
        val copy : 'a t -> 'a t
        val add : 'a t -> key -> '-> unit
        val remove : 'a t -> key -> unit
        val find : 'a t -> key -> 'a
        val find_opt : 'a t -> key -> 'a option
        val find_all : 'a t -> key -> 'a list
        val replace : 'a t -> key -> '-> unit
        val mem : 'a t -> key -> bool
        val iter : (key -> '-> unit) -> 'a t -> unit
        val filter_map_inplace : (key -> '-> 'a option) -> 'a t -> unit
        val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
        val length : 'a t -> int
        val stats : 'a t -> Hashtbl.statistics
        val clean : 'a t -> unit
        val stats_alive : 'a t -> Hashtbl.statistics
      end
  module MakeSeeded :
    functor (H : Hashtbl.SeededHashedType->
      sig
        type key = H.t
        type 'a t
        val create : ?random:bool -> int -> 'a t
        val clear : 'a t -> unit
        val reset : 'a t -> unit
        val copy : 'a t -> 'a t
        val add : 'a t -> key -> '-> unit
        val remove : 'a t -> key -> unit
        val find : 'a t -> key -> 'a
        val find_opt : 'a t -> key -> 'a option
        val find_all : 'a t -> key -> 'a list
        val replace : 'a t -> key -> '-> unit
        val mem : 'a t -> key -> bool
        val iter : (key -> '-> unit) -> 'a t -> unit
        val filter_map_inplace : (key -> '-> 'a option) -> 'a t -> unit
        val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
        val length : 'a t -> int
        val stats : 'a t -> Hashtbl.statistics
        val clean : 'a t -> unit
        val stats_alive : 'a t -> Hashtbl.statistics
      end
end
ocaml-doc-4.05/ocaml.html/libref/Ast_helper.Te.html0000644000175000017500000002341113131636441021065 0ustar mehdimehdi Ast_helper.Te

Module Ast_helper.Te

module Te: sig .. end
Type extensions

val mk : ?attrs:Ast_helper.attrs ->
?docs:Docstrings.docs ->
?params:(Parsetree.core_type * Asttypes.variance) list ->
?priv:Asttypes.private_flag ->
Ast_helper.lid ->
Parsetree.extension_constructor list -> Parsetree.type_extension
val constructor : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
?docs:Docstrings.docs ->
?info:Docstrings.info ->
Ast_helper.str ->
Parsetree.extension_constructor_kind -> Parsetree.extension_constructor
val decl : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
?docs:Docstrings.docs ->
?info:Docstrings.info ->
?args:Parsetree.constructor_arguments ->
?res:Parsetree.core_type -> Ast_helper.str -> Parsetree.extension_constructor
val rebind : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
?docs:Docstrings.docs ->
?info:Docstrings.info ->
Ast_helper.str -> Ast_helper.lid -> Parsetree.extension_constructor
ocaml-doc-4.05/ocaml.html/libref/MoreLabels.Hashtbl.html0000644000175000017500000003227213131636446022053 0ustar mehdimehdi MoreLabels.Hashtbl

Module MoreLabels.Hashtbl

module Hashtbl: sig .. end

type ('a, 'b) t = ('a, 'b) Hashtbl.t 
val create : ?random:bool -> int -> ('a, 'b) t
val clear : ('a, 'b) t -> unit
val reset : ('a, 'b) t -> unit
val copy : ('a, 'b) t -> ('a, 'b) t
val add : ('a, 'b) t -> key:'a -> data:'b -> unit
val find : ('a, 'b) t -> 'a -> 'b
val find_opt : ('a, 'b) t -> 'a -> 'b option
val find_all : ('a, 'b) t -> 'a -> 'b list
val mem : ('a, 'b) t -> 'a -> bool
val remove : ('a, 'b) t -> 'a -> unit
val replace : ('a, 'b) t -> key:'a -> data:'b -> unit
val iter : f:(key:'a -> data:'b -> unit) -> ('a, 'b) t -> unit
val filter_map_inplace : f:(key:'a -> data:'b -> 'b option) -> ('a, 'b) t -> unit
val fold : f:(key:'a -> data:'b -> 'c -> 'c) ->
('a, 'b) t -> init:'c -> 'c
val length : ('a, 'b) t -> int
val randomize : unit -> unit
val is_randomized : unit -> bool
type statistics = Hashtbl.statistics 
val stats : ('a, 'b) t -> statistics
module type HashedType = Hashtbl.HashedType
module type SeededHashedType = Hashtbl.SeededHashedType
module type S = sig .. end
module type SeededS = sig .. end
module Make: 
functor (H : HashedType-> S with type key = H.t
module MakeSeeded: 
functor (H : SeededHashedType-> SeededS with type key = H.t
val hash : 'a -> int
val seeded_hash : int -> 'a -> int
val hash_param : int -> int -> 'a -> int
val seeded_hash_param : int -> int -> int -> 'a -> int
ocaml-doc-4.05/ocaml.html/libref/Consistbl.html0000644000175000017500000002165013131636443020375 0ustar mehdimehdi Consistbl

Module Consistbl

module Consistbl: sig .. end

type t 
val create : unit -> t
val clear : t -> unit
val check : t -> string -> Digest.t -> string -> unit
val check_noadd : t -> string -> Digest.t -> string -> unit
val set : t -> string -> Digest.t -> string -> unit
val source : t -> string -> string
val extract : string list -> t -> (string * Digest.t option) list
val filter : (string -> bool) -> t -> unit
exception Inconsistency of string * string * string
exception Not_available of string
ocaml-doc-4.05/ocaml.html/libref/CamlinternalOO.html0000644000175000017500000006301313131636443021303 0ustar mehdimehdi CamlinternalOO

Module CamlinternalOO

module CamlinternalOO: sig .. end
Run-time support for objects and classes. All functions in this module are for system use only, not for the casual user.


Classes

type tag 
type label 
type table 
type meth 
type t 
type obj 
type closure 
val public_method_label : string -> tag
val new_method : table -> label
val new_variable : table -> string -> int
val new_methods_variables : table ->
string array -> string array -> label array
val get_variable : table -> string -> int
val get_variables : table -> string array -> int array
val get_method_label : table -> string -> label
val get_method_labels : table -> string array -> label array
val get_method : table -> label -> meth
val set_method : table -> label -> meth -> unit
val set_methods : table -> label array -> unit
val narrow : table -> string array -> string array -> string array -> unit
val widen : table -> unit
val add_initializer : table -> (obj -> unit) -> unit
val dummy_table : table
val create_table : string array -> table
val init_class : table -> unit
val inherits : table ->
string array ->
string array ->
string array ->
t * (table -> obj -> Obj.t) *
t * obj -> bool -> Obj.t array
val make_class : string array ->
(table -> Obj.t -> t) ->
t * (table -> Obj.t -> t) *
(Obj.t -> t) * Obj.t
type init_table 
val make_class_store : string array ->
(table -> t) ->
init_table -> unit
val dummy_class : string * int * int ->
t * (table -> Obj.t -> t) *
(Obj.t -> t) * Obj.t

Objects

val copy : (< .. > as 'a) -> 'a
val create_object : table -> obj
val create_object_opt : obj -> table -> obj
val run_initializers : obj -> table -> unit
val run_initializers_opt : obj ->
obj -> table -> obj
val create_object_and_run_initializers : obj -> table -> obj
val send : obj -> tag -> t
val sendcache : obj ->
tag -> t -> int -> t
val sendself : obj -> label -> t
val get_public_method : obj -> tag -> closure

Table cache

type tables 
val lookup_tables : tables ->
closure array -> tables

Builtins to reduce code size

type impl = 
| GetConst
| GetVar
| GetEnv
| GetMeth
| SetVar
| AppConst
| AppVar
| AppEnv
| AppMeth
| AppConstConst
| AppConstVar
| AppConstEnv
| AppConstMeth
| AppVarConst
| AppEnvConst
| AppMethConst
| MethAppConst
| MethAppVar
| MethAppEnv
| MethAppMeth
| SendConst
| SendVar
| SendEnv
| SendMeth
| Closure of closure

Parameters

type params = {
   mutable compact_table : bool;
   mutable copy_parent : bool;
   mutable clean_when_copying : bool;
   mutable retry_count : int;
   mutable bucket_small_size : int;
}
val params : params

Statistics

type stats = {
   classes : int;
   methods : int;
   inst_vars : int;
}
val stats : unit -> stats
ocaml-doc-4.05/ocaml.html/libref/Weak.Make.html0000644000175000017500000003455413131636452020207 0ustar mehdimehdi Weak.Make

Functor Weak.Make

module Make: 
functor (H : Hashtbl.HashedType-> S with type data = H.t
Functor building an implementation of the weak hash set structure. H.equal can't be the physical equality, since only shallow copies of the elements in the set are given to it.
Parameters:
H : Hashtbl.HashedType

type data 
The type of the elements stored in the table.
type t 
The type of tables that contain elements of type data. Note that weak hash sets cannot be marshaled using output_value or the functions of the Marshal module.
val create : int -> t
create n creates a new empty weak hash set, of initial size n. The table will grow as needed.
val clear : t -> unit
Remove all elements from the table.
val merge : t -> data -> data
merge t x returns an instance of x found in t if any, or else adds x to t and return x.
val add : t -> data -> unit
add t x adds x to t. If there is already an instance of x in t, it is unspecified which one will be returned by subsequent calls to find and merge.
val remove : t -> data -> unit
remove t x removes from t one instance of x. Does nothing if there is no instance of x in t.
val find : t -> data -> data
find t x returns an instance of x found in t. Raise Not_found if there is no such element.
val find_opt : t -> data -> data option
find_opt t x returns an instance of x found in t or None if there is no such element.
Since 4.05
val find_all : t -> data -> data list
find_all t x returns a list of all the instances of x found in t.
val mem : t -> data -> bool
mem t x returns true if there is at least one instance of x in t, false otherwise.
val iter : (data -> unit) -> t -> unit
iter f t calls f on each element of t, in some unspecified order. It is not specified what happens if f tries to change t itself.
val fold : (data -> 'a -> 'a) -> t -> 'a -> 'a
fold f t init computes (f d1 (... (f dN init))) where d1 ... dN are the elements of t in some unspecified order. It is not specified what happens if f tries to change t itself.
val count : t -> int
Count the number of elements in the table. count t gives the same result as fold (fun _ n -> n+1) t 0 but does not delay the deallocation of the dead elements.
val stats : t -> int * int * int * int * int * int
Return statistics on the table. The numbers are, in order: table length, number of entries, sum of bucket lengths, smallest bucket length, median bucket length, biggest bucket length.
ocaml-doc-4.05/ocaml.html/libref/MoreLabels.Hashtbl.Make.html0000644000175000017500000002652113131636446022727 0ustar mehdimehdi MoreLabels.Hashtbl.Make

Functor MoreLabels.Hashtbl.Make

module Make: 
functor (H : HashedType-> S with type key = H.t
Parameters:
H : HashedType

type key 
type 'a t 
val create : int -> 'a t
val clear : 'a t -> unit
val reset : 'a t -> unit
val copy : 'a t -> 'a t
val add : 'a t -> key:key -> data:'a -> unit
val remove : 'a t -> key -> unit
val find : 'a t -> key -> 'a
val find_opt : 'a t -> key -> 'a option
val find_all : 'a t -> key -> 'a list
val replace : 'a t -> key:key -> data:'a -> unit
val mem : 'a t -> key -> bool
val iter : f:(key:key -> data:'a -> unit) ->
'a t -> unit
val filter_map_inplace : f:(key:key -> data:'a -> 'a option) ->
'a t -> unit
val fold : f:(key:key -> data:'a -> 'b -> 'b) ->
'a t -> init:'b -> 'b
val length : 'a t -> int
val stats : 'a t -> MoreLabels.Hashtbl.statistics
ocaml-doc-4.05/ocaml.html/libref/Format.html0000644000175000017500000021301513131636444017664 0ustar mehdimehdi Format

Module Format

module Format: sig .. end
Pretty printing.

This module implements a pretty-printing facility to format values within 'pretty-printing boxes'. The pretty-printer splits lines at specified break hints, and indents lines according to the box structure.

For a gentle introduction to the basics of pretty-printing using Format, read http://caml.inria.fr/resources/doc/guides/format.en.html.

You may consider this module as providing an extension to the printf facility to provide automatic line splitting. The addition of pretty-printing annotations to your regular printf formats gives you fancy indentation and line breaks. Pretty-printing annotations are described below in the documentation of the function Format.fprintf.

You may also use the explicit box management and printing functions provided by this module. This style is more basic but more verbose than the fprintf concise formats.

For instance, the sequence open_box 0; print_string "x ="; print_space ();
    print_int 1; close_box (); print_newline ()
that prints x = 1 within a pretty-printing box, can be abbreviated as printf "@[%s@ %i@]@." "x =" 1, or even shorter printf "@[x =@ %i@]@." 1.

Rule of thumb for casual users of this library:

The behaviour of pretty-printing commands is unspecified if there is no opened pretty-printing box. Each box opened via one of the open_ functions below must be closed using close_box for proper formatting. Otherwise, some of the material printed in the boxes may not be output, or may be formatted incorrectly.

In case of interactive use, the system closes all opened boxes and flushes all pending text (as with the print_newline function) after each phrase. Each phrase is therefore executed in the initial state of the pretty-printer.

Warning: the material output by the following functions is delayed in the pretty-printer queue in order to compute the proper line splitting. Hence, you should not mix calls to the printing functions of the basic I/O system with calls to the functions of this module: this could result in some strange output seemingly unrelated with the evaluation order of printing commands.



Boxes

val open_box : int -> unit
open_box d opens a new pretty-printing box with offset d.

This box prints material as much as possible on every line.

A break hint splits the line if there is no more room on the line to print the remainder of the box. A break hint also splits the line if the splitting ``moves to the left'' (i.e. it gives an indentation smaller than the one of the current line).

This box is the general purpose pretty-printing box.

If the pretty-printer splits the line in the box, offset d is added to the current indentation.

val close_box : unit -> unit
Closes the most recently opened pretty-printing box.

Formatting functions

val print_string : string -> unit
print_string str prints str in the current box.
val print_as : int -> string -> unit
print_as len str prints str in the current box. The pretty-printer formats str as if it were of length len.
val print_int : int -> unit
Prints an integer in the current box.
val print_float : float -> unit
Prints a floating point number in the current box.
val print_char : char -> unit
Prints a character in the current box.
val print_bool : bool -> unit
Prints a boolean in the current box.

Break hints


A 'break hint' tells the pretty-printer to output some space or split the line whichever way is more appropriate to the current box splitting rules.

Break hints are used to separate printing items and are mandatory to let the pretty-printer correctly split lines and indent items.

Simple break hints are:

Note: the notions of space and line splitting are abstract for the pretty-printing engine, since those notions can be completely defined by the programmer. However, in the pretty-printer default setting, ``output a space'' simply means printing a space character (ASCII code 32) and ``split the line'' is printing a newline character (ASCII code 10).
val print_space : unit -> unit
print_space () the 'space' break hint: the pretty-printer may split the line at this point, otherwise it prints one space. It is equivalent to print_break 1 0.
val print_cut : unit -> unit
print_cut () the 'cut' break hint: the pretty-printer may split the line at this point, otherwise it prints nothing. It is equivalent to print_break 0 0.
val print_break : int -> int -> unit
print_break nspaces offset the 'full' break hint: the pretty-printer may split the line at this point, otherwise it prints nspaces spaces.

If the pretty-printer splits the line, offset is added to the current indentation.

val print_flush : unit -> unit
Flushes the pretty printer: all opened boxes are closed, and all pending text is displayed.
val print_newline : unit -> unit
Equivalent to print_flush followed by a new line.
val force_newline : unit -> unit
Forces a new line in the current box. Not the normal way of pretty-printing, since the new line does not reset the current line count. You should prefer using break hints within a vertcal box.
val print_if_newline : unit -> unit
Executes the next formatting command if the preceding line has just been split. Otherwise, ignore the next formatting command.

Margin

val set_margin : int -> unit
set_margin d sets the right margin to d (in characters): the pretty-printer splits lines that overflow the right margin according to the break hints given. Nothing happens if d is smaller than 2. If d is too large, the right margin is set to the maximum admissible value (which is greater than 10^9).
val get_margin : unit -> int
Returns the position of the right margin.

Maximum indentation limit

val set_max_indent : int -> unit
set_max_indent d sets the maximum indentation limit of lines to d (in characters): once this limit is reached, new boxes are rejected to the left, if they do not fit on the current line. Nothing happens if d is smaller than 2. If d is too large, the limit is set to the maximum admissible value (which is greater than 10 ^ 9).
val get_max_indent : unit -> int
Return the maximum indentation limit (in characters).

Formatting depth: maximum number of boxes allowed before ellipsis

val set_max_boxes : int -> unit
set_max_boxes max sets the maximum number of boxes simultaneously opened. Material inside boxes nested deeper is printed as an ellipsis (more precisely as the text returned by get_ellipsis_text ()). Nothing happens if max is smaller than 2.
val get_max_boxes : unit -> int
Returns the maximum number of boxes allowed before ellipsis.
val over_max_boxes : unit -> bool
Tests if the maximum number of boxes allowed have already been opened.

Advanced formatting

val open_hbox : unit -> unit
open_hbox () opens a new 'horizontal' pretty-printing box.

This box prints material on a single line.

Break hints in a horizontal box never split the line. (Line splitting may still occur inside boxes nested deeper).

val open_vbox : int -> unit
open_vbox d opens a new 'vertical' pretty-printing box with offset d.

This box prints material on as many lines as break hints in the box.

Every break hint in a vertical box splits the line.

If the pretty-printer splits the line in the box, d is added to the current indentation.

val open_hvbox : int -> unit
open_hvbox d opens a new 'horizontal-vertical' pretty-printing box with offset d.

This box behaves as an horizontal box if it fits on a single line, otherwise it behaves as a vertical box.

If the pretty-printer splits the line in the box, d is added to the current indentation.

val open_hovbox : int -> unit
open_hovbox d opens a new 'horizontal-or-vertical' pretty-printing box with offset d.

This box prints material as much as possible on every line.

A break hint splits the line if there is no more room on the line to print the remainder of the box.

If the pretty-printer splits the line in the box, d is added to the current indentation.


Ellipsis

val set_ellipsis_text : string -> unit
Set the text of the ellipsis printed when too many boxes are opened (a single dot, ., by default).
val get_ellipsis_text : unit -> string
Return the text of the ellipsis.

Semantic Tags

type tag = string 

Semantic tags (or simply tags) are used to decorate printed entities for user's defined purposes, e.g. setting font and giving size indications for a display device, or marking delimitation of semantic entities (e.g. HTML or TeX elements or terminal escape sequences).

By default, those tags do not influence line splitting calculation: the tag 'markers' are not considered as part of the printing material that drives line splitting (in other words, the length of those strings is considered as zero for line splitting).

Thus, tag handling is in some sense transparent to pretty-printing and does not interfere with usual indentation. Hence, a single pretty printing routine can output both simple 'verbatim' material or richer decorated output depending on the treatment of tags. By default, tags are not active, hence the output is not decorated with tag information. Once set_tags is set to true, the pretty printer engine honours tags and decorates the output accordingly.

When a tag has been opened (or closed), it is both and successively 'printed' and 'marked'. Printing a tag means calling a formatter specific function with the name of the tag as argument: that 'tag printing' function can then print any regular material to the formatter (so that this material is enqueued as usual in the formatter queue for further line splitting computation). Marking a tag means to output an arbitrary string (the 'tag marker'), directly into the output device of the formatter. Hence, the formatter specific 'tag marking' function must return the tag marker string associated to its tag argument. Being flushed directly into the output device of the formatter, tag marker strings are not considered as part of the printing material that drives line splitting (in other words, the length of the strings corresponding to tag markers is considered as zero for line splitting). In addition, advanced users may take advantage of the specificity of tag markers to be precisely output when the pretty printer has already decided where to split the lines, and precisely when the queue is flushed into the output device.

In the spirit of HTML tags, the default tag marking functions output tags enclosed in "<" and ">": hence, the opening marker of tag t is "<t>" and the closing marker "</t>".

Default tag printing functions just do nothing.

Tag marking and tag printing functions are user definable and can be set by calling set_formatter_tag_functions.

val open_tag : tag -> unit
open_tag t opens the tag named t; the print_open_tag function of the formatter is called with t as argument; the tag marker mark_open_tag t will be flushed into the output device of the formatter.
val close_tag : unit -> unit
close_tag () closes the most recently opened tag t. In addition, the print_close_tag function of the formatter is called with t as argument. The marker mark_close_tag t will be flushed into the output device of the formatter.
val set_tags : bool -> unit
set_tags b turns on or off the treatment of tags (default is off).
val set_print_tags : bool -> unit
set_print_tags b turns on or off the printing of tags.
val set_mark_tags : bool -> unit
set_mark_tags b turns on or off the output of tag markers.
val get_print_tags : unit -> bool
Return the current status of tags printing.
val get_mark_tags : unit -> bool
Return the current status of tags marking.

Redirecting the standard formatter output

val set_formatter_out_channel : out_channel -> unit
Redirect the pretty-printer output to the given channel. (All the output functions of the standard formatter are set to the default output functions printing to the given channel.)
val set_formatter_output_functions : (string -> int -> int -> unit) -> (unit -> unit) -> unit
set_formatter_output_functions out flush redirects the pretty-printer output functions to the functions out and flush.

The out function performs all the pretty-printer string output. It is called with a string s, a start position p, and a number of characters n; it is supposed to output characters p to p + n - 1 of s.

The flush function is called whenever the pretty-printer is flushed (via conversion %!, or pretty-printing indications @? or @., or using low level functions print_flush or print_newline).

val get_formatter_output_functions : unit -> (string -> int -> int -> unit) * (unit -> unit)
Return the current output functions of the pretty-printer.

Changing the meaning of standard formatter pretty printing


The Format module is versatile enough to let you completely redefine the meaning of pretty printing: you may provide your own functions to define how to handle indentation, line splitting, and even printing of all the characters that have to be printed!
type formatter_out_functions = {
   out_string : string -> int -> int -> unit;
   out_flush : unit -> unit;
   out_newline : unit -> unit;
   out_spaces : int -> unit;
}
Since 4.01.0
val set_formatter_out_functions : formatter_out_functions -> unit
set_formatter_out_functions f Redirect the pretty-printer output to the functions f.out_string and f.out_flush as described in set_formatter_output_functions. In addition, the pretty-printer function that outputs a newline is set to the function f.out_newline and the function that outputs indentation spaces is set to the function f.out_spaces.

This way, you can change the meaning of indentation (which can be something else than just printing space characters) and the meaning of new lines opening (which can be connected to any other action needed by the application at hand). The two functions f.out_spaces and f.out_newline are normally connected to f.out_string and f.out_flush: respective default values for f.out_space and f.out_newline are f.out_string (String.make n ' ') 0 n and f.out_string "\n" 0 1.
Since 4.01.0

val get_formatter_out_functions : unit -> formatter_out_functions
Return the current output functions of the pretty-printer, including line splitting and indentation functions. Useful to record the current setting and restore it afterwards.
Since 4.01.0

Changing the meaning of printing semantic tags

type formatter_tag_functions = {
   mark_open_tag : tag -> string;
   mark_close_tag : tag -> string;
   print_open_tag : tag -> unit;
   print_close_tag : tag -> unit;
}
The tag handling functions specific to a formatter: mark versions are the 'tag marking' functions that associate a string marker to a tag in order for the pretty-printing engine to flush those markers as 0 length tokens in the output device of the formatter. print versions are the 'tag printing' functions that can perform regular printing when a tag is closed or opened.
val set_formatter_tag_functions : formatter_tag_functions -> unit
set_formatter_tag_functions tag_funs changes the meaning of opening and closing tags to use the functions in tag_funs.

When opening a tag name t, the string t is passed to the opening tag marking function (the mark_open_tag field of the record tag_funs), that must return the opening tag marker for that name. When the next call to close_tag () happens, the tag name t is sent back to the closing tag marking function (the mark_close_tag field of record tag_funs), that must return a closing tag marker for that name.

The print_ field of the record contains the functions that are called at tag opening and tag closing time, to output regular material in the pretty-printer queue.

val get_formatter_tag_functions : unit -> formatter_tag_functions
Return the current tag functions of the pretty-printer.

Multiple formatted output

type formatter 
Abstract data corresponding to a pretty-printer (also called a formatter) and all its machinery.

Defining new pretty-printers permits unrelated output of material in parallel on several output channels. All the parameters of a pretty-printer are local to a formatter: margin, maximum indentation limit, maximum number of boxes simultaneously opened, ellipsis, and so on, are specific to each pretty-printer and may be fixed independently. Given a out_channel output channel oc, a new formatter writing to that channel is simply obtained by calling formatter_of_out_channel oc. Alternatively, the make_formatter function allocates a new formatter with explicit output and flushing functions (convenient to output material to strings for instance).

val formatter_of_out_channel : out_channel -> formatter
formatter_of_out_channel oc returns a new formatter that writes to the corresponding channel oc.
val std_formatter : formatter
The standard formatter used by the formatting functions above. It is defined as formatter_of_out_channel stdout.
val err_formatter : formatter
A formatter to use with formatting functions below for output to standard error. It is defined as formatter_of_out_channel stderr.
val formatter_of_buffer : Buffer.t -> formatter
formatter_of_buffer b returns a new formatter writing to buffer b. As usual, the formatter has to be flushed at the end of pretty printing, using pp_print_flush or pp_print_newline, to display all the pending material.
val stdbuf : Buffer.t
The string buffer in which str_formatter writes.
val str_formatter : formatter
A formatter to use with formatting functions below for output to the stdbuf string buffer. str_formatter is defined as formatter_of_buffer stdbuf.
val flush_str_formatter : unit -> string
Returns the material printed with str_formatter, flushes the formatter and resets the corresponding buffer.
val make_formatter : (string -> int -> int -> unit) -> (unit -> unit) -> formatter
make_formatter out flush returns a new formatter that writes according to the output function out, and the flushing function flush. For instance, a formatter to the out_channel oc is returned by make_formatter (Pervasives.output oc) (fun () -> Pervasives.flush oc).

Basic functions to use with formatters

val pp_open_hbox : formatter -> unit -> unit
val pp_open_vbox : formatter -> int -> unit
val pp_open_hvbox : formatter -> int -> unit
val pp_open_hovbox : formatter -> int -> unit
val pp_open_box : formatter -> int -> unit
val pp_close_box : formatter -> unit -> unit
val pp_open_tag : formatter -> string -> unit
val pp_close_tag : formatter -> unit -> unit
val pp_print_string : formatter -> string -> unit
val pp_print_as : formatter -> int -> string -> unit
val pp_print_int : formatter -> int -> unit
val pp_print_float : formatter -> float -> unit
val pp_print_char : formatter -> char -> unit
val pp_print_bool : formatter -> bool -> unit
val pp_print_break : formatter -> int -> int -> unit
val pp_print_cut : formatter -> unit -> unit
val pp_print_space : formatter -> unit -> unit
val pp_force_newline : formatter -> unit -> unit
val pp_print_flush : formatter -> unit -> unit
val pp_print_newline : formatter -> unit -> unit
val pp_print_if_newline : formatter -> unit -> unit
val pp_set_tags : formatter -> bool -> unit
val pp_set_print_tags : formatter -> bool -> unit
val pp_set_mark_tags : formatter -> bool -> unit
val pp_get_print_tags : formatter -> unit -> bool
val pp_get_mark_tags : formatter -> unit -> bool
val pp_set_margin : formatter -> int -> unit
val pp_get_margin : formatter -> unit -> int
val pp_set_max_indent : formatter -> int -> unit
val pp_get_max_indent : formatter -> unit -> int
val pp_set_max_boxes : formatter -> int -> unit
val pp_get_max_boxes : formatter -> unit -> int
val pp_over_max_boxes : formatter -> unit -> bool
val pp_set_ellipsis_text : formatter -> string -> unit
val pp_get_ellipsis_text : formatter -> unit -> string
val pp_set_formatter_out_channel : formatter -> out_channel -> unit
val pp_set_formatter_output_functions : formatter -> (string -> int -> int -> unit) -> (unit -> unit) -> unit
val pp_get_formatter_output_functions : formatter -> unit -> (string -> int -> int -> unit) * (unit -> unit)
val pp_set_formatter_tag_functions : formatter -> formatter_tag_functions -> unit
val pp_get_formatter_tag_functions : formatter -> unit -> formatter_tag_functions
val pp_set_formatter_out_functions : formatter -> formatter_out_functions -> unit
Since 4.01.0
val pp_get_formatter_out_functions : formatter -> unit -> formatter_out_functions
These functions are the basic ones: usual functions operating on the standard formatter are defined via partial evaluation of these primitives. For instance, print_string is equal to pp_print_string std_formatter.
Since 4.01.0
val pp_flush_formatter : formatter -> unit
pp_flush_formatter fmt flushes fmt's internal queue, ensuring that all the printing and flushing actions have been performed. In addition, this operation will close all boxes and reset the state of the formatter.

This will not flush fmt's output. In most cases, the user may want to use Format.pp_print_flush instead.
Since 4.04.0


Convenience formatting functions.

val pp_print_list : ?pp_sep:(formatter -> unit -> unit) ->
(formatter -> 'a -> unit) -> formatter -> 'a list -> unit
pp_print_list ?pp_sep pp_v ppf l prints items of list l, using pp_v to print each item, and calling pp_sep between items (pp_sep defaults to Format.pp_print_cut). Does nothing on empty lists.
Since 4.02.0
val pp_print_text : formatter -> string -> unit
pp_print_text ppf s prints s with spaces and newlines respectively printed with Format.pp_print_space and Format.pp_force_newline.
Since 4.02.0

printf like functions for pretty-printing.

val fprintf : formatter -> ('a, formatter, unit) format -> 'a

fprintf ff fmt arg1 ... argN formats the arguments arg1 to argN according to the format string fmt, and outputs the resulting string on the formatter ff.

The format fmt is a character string which contains three types of objects: plain characters and conversion specifications as specified in the Printf module, and pretty-printing indications specific to the Format module.

The pretty-printing indication characters are introduced by a @ character, and their meanings are:

Note: If you need to prevent the interpretation of a @ character as a pretty-printing indication, you must escape it with a % character. Old quotation mode @@ is deprecated since it is not compatible with formatted input interpretation of character '@'.

Example: printf "@[%s@ %d@]@." "x =" 1 is equivalent to open_box (); print_string "x ="; print_space ();
   print_int 1; close_box (); print_newline ()
. It prints x = 1 within a pretty-printing 'horizontal-or-vertical' box.

val printf : ('a, formatter, unit) format -> 'a
Same as fprintf above, but output on std_formatter.
val eprintf : ('a, formatter, unit) format -> 'a
Same as fprintf above, but output on err_formatter.
val sprintf : ('a, unit, string) format -> 'a
Same as printf above, but instead of printing on a formatter, returns a string containing the result of formatting the arguments. Note that the pretty-printer queue is flushed at the end of each call to sprintf.

In case of multiple and related calls to sprintf to output material on a single string, you should consider using fprintf with the predefined formatter str_formatter and call flush_str_formatter () to get the final result.

Alternatively, you can use Format.fprintf with a formatter writing to a buffer of your own: flushing the formatter and the buffer at the end of pretty-printing returns the desired string.

val asprintf : ('a, formatter, unit, string) format4 -> 'a
Same as printf above, but instead of printing on a formatter, returns a string containing the result of formatting the arguments. The type of asprintf is general enough to interact nicely with %a conversions.
Since 4.01.0
val ifprintf : formatter -> ('a, formatter, unit) format -> 'a
Same as fprintf above, but does not print anything. Useful to ignore some material when conditionally printing.
Since 3.10.0

Formatted output functions with continuations.
val kfprintf : (formatter -> 'a) ->
formatter -> ('b, formatter, unit, 'a) format4 -> 'b
Same as fprintf above, but instead of returning immediately, passes the formatter to its first argument at the end of printing.
val ikfprintf : (formatter -> 'a) ->
formatter -> ('b, formatter, unit, 'a) format4 -> 'b
Same as kfprintf above, but does not print anything. Useful to ignore some material when conditionally printing.
Since 3.12.0
val ksprintf : (string -> 'a) -> ('b, unit, string, 'a) format4 -> 'b
Same as sprintf above, but instead of returning the string, passes it to the first argument.
val kasprintf : (string -> 'a) -> ('b, formatter, unit, 'a) format4 -> 'b
Same as asprintf above, but instead of returning the string, passes it to the first argument.
Since 4.03

Deprecated

val bprintf : Buffer.t -> ('a, formatter, unit) format -> 'a
Deprecated.This function is error prone. Do not use it.

If you need to print to some buffer b, you must first define a formatter writing to b, using let to_b = formatter_of_buffer b; then use regular calls to Format.fprintf on formatter to_b.

val kprintf : (string -> 'a) -> ('b, unit, string, 'a) format4 -> 'b
Deprecated.An alias for ksprintf.
val set_all_formatter_output_functions : out:(string -> int -> int -> unit) ->
flush:(unit -> unit) ->
newline:(unit -> unit) -> spaces:(int -> unit) -> unit
Deprecated.Subsumed by set_formatter_out_functions.
val get_all_formatter_output_functions : unit ->
(string -> int -> int -> unit) * (unit -> unit) * (unit -> unit) *
(int -> unit)
Deprecated.Subsumed by get_formatter_out_functions.
val pp_set_all_formatter_output_functions : formatter ->
out:(string -> int -> int -> unit) ->
flush:(unit -> unit) ->
newline:(unit -> unit) -> spaces:(int -> unit) -> unit
Deprecated.Subsumed by pp_set_formatter_out_functions.
val pp_get_all_formatter_output_functions : formatter ->
unit ->
(string -> int -> int -> unit) * (unit -> unit) * (unit -> unit) *
(int -> unit)
Deprecated.Subsumed by pp_get_formatter_out_functions.

Tabulation boxes are deprecated.
val pp_open_tbox : formatter -> unit -> unit
Deprecated.since 4.03.0
val pp_close_tbox : formatter -> unit -> unit
Deprecated.since 4.03.0
val pp_print_tbreak : formatter -> int -> int -> unit
Deprecated.since 4.03.0
val pp_set_tab : formatter -> unit -> unit
Deprecated.since 4.03.0
val pp_print_tab : formatter -> unit -> unit
Deprecated.since 4.03.0
val open_tbox : unit -> unit
Deprecated.since 4.03.0
val close_tbox : unit -> unit
Deprecated.since 4.03.0
val print_tbreak : int -> int -> unit
Deprecated.since 4.03.0
val set_tab : unit -> unit
Deprecated.since 4.03.0
val print_tab : unit -> unit
Deprecated.since 4.03.0
ocaml-doc-4.05/ocaml.html/libref/type_Numbers.Float.html0000644000175000017500000012345513131636447022167 0ustar mehdimehdi Numbers.Float sig
  type t = float
  module T :
    sig
      type t = t
      val equal : t -> t -> bool
      val hash : t -> int
      val compare : t -> t -> int
      val output : out_channel -> t -> unit
      val print : Format.formatter -> t -> unit
    end
  val equal : T.t -> T.t -> bool
  val hash : T.t -> int
  val compare : T.t -> T.t -> int
  val output : out_channel -> T.t -> unit
  val print : Format.formatter -> T.t -> unit
  module Set :
    sig
      type elt = T.t
      type t = Set.Make(T).t
      val empty : t
      val is_empty : t -> bool
      val mem : elt -> t -> bool
      val add : elt -> t -> t
      val singleton : elt -> t
      val remove : elt -> t -> t
      val union : t -> t -> t
      val inter : t -> t -> t
      val diff : t -> t -> t
      val compare : t -> t -> int
      val equal : t -> t -> bool
      val subset : t -> t -> bool
      val iter : (elt -> unit) -> t -> unit
      val fold : (elt -> '-> 'a) -> t -> '-> 'a
      val for_all : (elt -> bool) -> t -> bool
      val exists : (elt -> bool) -> t -> bool
      val filter : (elt -> bool) -> t -> t
      val partition : (elt -> bool) -> t -> t * t
      val cardinal : t -> int
      val elements : t -> elt list
      val min_elt : t -> elt
      val min_elt_opt : t -> elt option
      val max_elt : t -> elt
      val max_elt_opt : t -> elt option
      val choose : t -> elt
      val choose_opt : t -> elt option
      val split : elt -> t -> t * bool * t
      val find : elt -> t -> elt
      val find_opt : elt -> t -> elt option
      val find_first : (elt -> bool) -> t -> elt
      val find_first_opt : (elt -> bool) -> t -> elt option
      val find_last : (elt -> bool) -> t -> elt
      val find_last_opt : (elt -> bool) -> t -> elt option
      val output : out_channel -> t -> unit
      val print : Format.formatter -> t -> unit
      val to_string : t -> string
      val of_list : elt list -> t
      val map : (elt -> elt) -> t -> t
    end
  module Map :
    sig
      type key = T.t
      type 'a t = 'Map.Make(T).t
      val empty : 'a t
      val is_empty : 'a t -> bool
      val mem : key -> 'a t -> bool
      val add : key -> '-> 'a t -> 'a t
      val singleton : key -> '-> 'a t
      val remove : key -> 'a t -> 'a t
      val merge :
        (key -> 'a option -> 'b option -> 'c option) -> 'a t -> 'b t -> 'c t
      val union : (key -> '-> '-> 'a option) -> 'a t -> 'a t -> 'a t
      val compare : ('-> '-> int) -> 'a t -> 'a t -> int
      val equal : ('-> '-> bool) -> 'a t -> 'a t -> bool
      val iter : (key -> '-> unit) -> 'a t -> unit
      val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
      val for_all : (key -> '-> bool) -> 'a t -> bool
      val exists : (key -> '-> bool) -> 'a t -> bool
      val filter : (key -> '-> bool) -> 'a t -> 'a t
      val partition : (key -> '-> bool) -> 'a t -> 'a t * 'a t
      val cardinal : 'a t -> int
      val bindings : 'a t -> (key * 'a) list
      val min_binding : 'a t -> key * 'a
      val min_binding_opt : 'a t -> (key * 'a) option
      val max_binding : 'a t -> key * 'a
      val max_binding_opt : 'a t -> (key * 'a) option
      val choose : 'a t -> key * 'a
      val choose_opt : 'a t -> (key * 'a) option
      val split : key -> 'a t -> 'a t * 'a option * 'a t
      val find : key -> 'a t -> 'a
      val find_opt : key -> 'a t -> 'a option
      val find_first : (key -> bool) -> 'a t -> key * 'a
      val find_first_opt : (key -> bool) -> 'a t -> (key * 'a) option
      val find_last : (key -> bool) -> 'a t -> key * 'a
      val find_last_opt : (key -> bool) -> 'a t -> (key * 'a) option
      val map : ('-> 'b) -> 'a t -> 'b t
      val mapi : (key -> '-> 'b) -> 'a t -> 'b t
      val filter_map : 'a t -> f:(key -> '-> 'b option) -> 'b t
      val of_list : (key * 'a) list -> 'a t
      val disjoint_union :
        ?eq:('-> '-> bool) ->
        ?print:(Format.formatter -> '-> unit) -> 'a t -> 'a t -> 'a t
      val union_right : 'a t -> 'a t -> 'a t
      val union_left : 'a t -> 'a t -> 'a t
      val union_merge : ('-> '-> 'a) -> 'a t -> 'a t -> 'a t
      val rename : key t -> key -> key
      val map_keys : (key -> key) -> 'a t -> 'a t
      val keys : 'a t -> Set.t
      val data : 'a t -> 'a list
      val of_set : (key -> 'a) -> Set.t -> 'a t
      val transpose_keys_and_data : key t -> key t
      val transpose_keys_and_data_set : key t -> Set.t t
      val print :
        (Format.formatter -> '-> unit) -> Format.formatter -> 'a t -> unit
    end
  module Tbl :
    sig
      type key = T.t
      type 'a t = 'Hashtbl.Make(T).t
      val create : int -> 'a t
      val clear : 'a t -> unit
      val reset : 'a t -> unit
      val copy : 'a t -> 'a t
      val add : 'a t -> key -> '-> unit
      val remove : 'a t -> key -> unit
      val find : 'a t -> key -> 'a
      val find_opt : 'a t -> key -> 'a option
      val find_all : 'a t -> key -> 'a list
      val replace : 'a t -> key -> '-> unit
      val mem : 'a t -> key -> bool
      val iter : (key -> '-> unit) -> 'a t -> unit
      val filter_map_inplace : (key -> '-> 'a option) -> 'a t -> unit
      val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
      val length : 'a t -> int
      val stats : 'a t -> Hashtbl.statistics
      val to_list : 'a t -> (T.t * 'a) list
      val of_list : (T.t * 'a) list -> 'a t
      val to_map : 'a t -> 'Map.t
      val of_map : 'Map.t -> 'a t
      val memoize : 'a t -> (key -> 'a) -> key -> 'a
      val map : 'a t -> ('-> 'b) -> 'b t
    end
end
ocaml-doc-4.05/ocaml.html/libref/type_Warnings.html0000644000175000017500000004371613131636452021275 0ustar mehdimehdi Warnings sig
  type t =
      Comment_start
    | Comment_not_end
    | Deprecated of string
    | Fragile_match of string
    | Partial_application
    | Labels_omitted of string list
    | Method_override of string list
    | Partial_match of string
    | Non_closed_record_pattern of string
    | Statement_type
    | Unused_match
    | Unused_pat
    | Instance_variable_override of string list
    | Illegal_backslash
    | Implicit_public_methods of string list
    | Unerasable_optional_argument
    | Undeclared_virtual_method of string
    | Not_principal of string
    | Without_principality of string
    | Unused_argument
    | Nonreturning_statement
    | Preprocessor of string
    | Useless_record_with
    | Bad_module_name of string
    | All_clauses_guarded
    | Unused_var of string
    | Unused_var_strict of string
    | Wildcard_arg_to_constant_constr
    | Eol_in_string
    | Duplicate_definitions of string * string * string * string
    | Multiple_definition of string * string * string
    | Unused_value_declaration of string
    | Unused_open of string
    | Unused_type_declaration of string
    | Unused_for_index of string
    | Unused_ancestor of string
    | Unused_constructor of string * bool * bool
    | Unused_extension of string * bool * bool * bool
    | Unused_rec_flag
    | Name_out_of_scope of string * string list * bool
    | Ambiguous_name of string list * string list * bool
    | Disambiguated_name of string
    | Nonoptional_label of string
    | Open_shadow_identifier of string * string
    | Open_shadow_label_constructor of string * string
    | Bad_env_variable of string * string
    | Attribute_payload of string * string
    | Eliminated_optional_arguments of string list
    | No_cmi_file of string * string option
    | Bad_docstring of bool
    | Expect_tailcall
    | Fragile_literal_pattern
    | Misplaced_attribute of string
    | Duplicated_attribute of string
    | Inlining_impossible of string
    | Unreachable_case
    | Ambiguous_pattern of string list
    | No_cmx_file of string
    | Assignment_to_non_mutable_value
    | Unused_module of string
    | Unboxable_type_in_prim_decl of string
  val parse_options : bool -> string -> unit
  val is_active : Warnings.t -> bool
  val is_error : Warnings.t -> bool
  val defaults_w : string
  val defaults_warn_error : string
  val print : Format.formatter -> Warnings.t -> unit
  exception Errors of int
  val check_fatal : unit -> unit
  val reset_fatal : unit -> unit
  val help_warnings : unit -> unit
  type state
  val backup : unit -> Warnings.state
  val restore : Warnings.state -> unit
end
ocaml-doc-4.05/ocaml.html/libref/Lexer.html0000644000175000017500000002765513131636445017531 0ustar mehdimehdi Lexer

Module Lexer

module Lexer: sig .. end

val init : unit -> unit
val token : Lexing.lexbuf -> Parser.token
val skip_hash_bang : Lexing.lexbuf -> unit
type error = 
| Illegal_character of char
| Illegal_escape of string
| Unterminated_comment of Location.t
| Unterminated_string
| Unterminated_string_in_comment of Location.t * Location.t
| Keyword_as_label of string
| Invalid_literal of string
| Invalid_directive of string * string option
exception Error of error * Location.t
val report_error : Format.formatter -> error -> unit
val in_comment : unit -> bool
val in_string : unit -> bool
val print_warnings : bool ref
val handle_docstrings : bool ref
val comments : unit -> (string * Location.t) list
val token_with_comments : Lexing.lexbuf -> Parser.token
val set_preprocessor : (unit -> unit) ->
((Lexing.lexbuf -> Parser.token) -> Lexing.lexbuf -> Parser.token) -> unit
ocaml-doc-4.05/ocaml.html/libref/type_Int64.html0000644000175000017500000003367413131636445020415 0ustar mehdimehdi Int64 sig
  val zero : int64
  val one : int64
  val minus_one : int64
  external neg : int64 -> int64 = "%int64_neg"
  external add : int64 -> int64 -> int64 = "%int64_add"
  external sub : int64 -> int64 -> int64 = "%int64_sub"
  external mul : int64 -> int64 -> int64 = "%int64_mul"
  external div : int64 -> int64 -> int64 = "%int64_div"
  external rem : int64 -> int64 -> int64 = "%int64_mod"
  val succ : int64 -> int64
  val pred : int64 -> int64
  val abs : int64 -> int64
  val max_int : int64
  val min_int : int64
  external logand : int64 -> int64 -> int64 = "%int64_and"
  external logor : int64 -> int64 -> int64 = "%int64_or"
  external logxor : int64 -> int64 -> int64 = "%int64_xor"
  val lognot : int64 -> int64
  external shift_left : int64 -> int -> int64 = "%int64_lsl"
  external shift_right : int64 -> int -> int64 = "%int64_asr"
  external shift_right_logical : int64 -> int -> int64 = "%int64_lsr"
  external of_int : int -> int64 = "%int64_of_int"
  external to_int : int64 -> int = "%int64_to_int"
  external of_float : float -> int64 = "caml_int64_of_float"
    "caml_int64_of_float_unboxed" [@@unboxed] [@@noalloc]
  external to_float : int64 -> float = "caml_int64_to_float"
    "caml_int64_to_float_unboxed" [@@unboxed] [@@noalloc]
  external of_int32 : int32 -> int64 = "%int64_of_int32"
  external to_int32 : int64 -> int32 = "%int64_to_int32"
  external of_nativeint : nativeint -> int64 = "%int64_of_nativeint"
  external to_nativeint : int64 -> nativeint = "%int64_to_nativeint"
  external of_string : string -> int64 = "caml_int64_of_string"
  val of_string_opt : string -> int64 option
  val to_string : int64 -> string
  external bits_of_float : float -> int64 = "caml_int64_bits_of_float"
    "caml_int64_bits_of_float_unboxed" [@@unboxed] [@@noalloc]
  external float_of_bits : int64 -> float = "caml_int64_float_of_bits"
    "caml_int64_float_of_bits_unboxed" [@@unboxed] [@@noalloc]
  type t = int64
  val compare : Int64.t -> Int64.t -> int
  val equal : Int64.t -> Int64.t -> bool
  external format : string -> int64 -> string = "caml_int64_format"
end
ocaml-doc-4.05/ocaml.html/libref/Ast_helper.Vb.html0000644000175000017500000001730713131636441021073 0ustar mehdimehdi Ast_helper.Vb

Module Ast_helper.Vb

module Vb: sig .. end
Value bindings

val mk : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
?docs:Docstrings.docs ->
?text:Docstrings.text ->
Parsetree.pattern -> Parsetree.expression -> Parsetree.value_binding
ocaml-doc-4.05/ocaml.html/libref/type_Map.html0000644000175000017500000011334713131636445020222 0ustar mehdimehdi Map sig
  module type OrderedType =
    sig
      type t
      val compare : Map.OrderedType.t -> Map.OrderedType.t -> int
    end
  module type S =
    sig
      type key
      type +'a t
      val empty : 'Map.S.t
      val is_empty : 'Map.S.t -> bool
      val mem : Map.S.key -> 'Map.S.t -> bool
      val add : Map.S.key -> '-> 'Map.S.t -> 'Map.S.t
      val singleton : Map.S.key -> '-> 'Map.S.t
      val remove : Map.S.key -> 'Map.S.t -> 'Map.S.t
      val merge :
        (Map.S.key -> 'a option -> 'b option -> 'c option) ->
        'Map.S.t -> 'Map.S.t -> 'Map.S.t
      val union :
        (Map.S.key -> '-> '-> 'a option) ->
        'Map.S.t -> 'Map.S.t -> 'Map.S.t
      val compare : ('-> '-> int) -> 'Map.S.t -> 'Map.S.t -> int
      val equal : ('-> '-> bool) -> 'Map.S.t -> 'Map.S.t -> bool
      val iter : (Map.S.key -> '-> unit) -> 'Map.S.t -> unit
      val fold : (Map.S.key -> '-> '-> 'b) -> 'Map.S.t -> '-> 'b
      val for_all : (Map.S.key -> '-> bool) -> 'Map.S.t -> bool
      val exists : (Map.S.key -> '-> bool) -> 'Map.S.t -> bool
      val filter : (Map.S.key -> '-> bool) -> 'Map.S.t -> 'Map.S.t
      val partition :
        (Map.S.key -> '-> bool) -> 'Map.S.t -> 'Map.S.t * 'Map.S.t
      val cardinal : 'Map.S.t -> int
      val bindings : 'Map.S.t -> (Map.S.key * 'a) list
      val min_binding : 'Map.S.t -> Map.S.key * 'a
      val min_binding_opt : 'Map.S.t -> (Map.S.key * 'a) option
      val max_binding : 'Map.S.t -> Map.S.key * 'a
      val max_binding_opt : 'Map.S.t -> (Map.S.key * 'a) option
      val choose : 'Map.S.t -> Map.S.key * 'a
      val choose_opt : 'Map.S.t -> (Map.S.key * 'a) option
      val split :
        Map.S.key -> 'Map.S.t -> 'Map.S.t * 'a option * 'Map.S.t
      val find : Map.S.key -> 'Map.S.t -> 'a
      val find_opt : Map.S.key -> 'Map.S.t -> 'a option
      val find_first : (Map.S.key -> bool) -> 'Map.S.t -> Map.S.key * 'a
      val find_first_opt :
        (Map.S.key -> bool) -> 'Map.S.t -> (Map.S.key * 'a) option
      val find_last : (Map.S.key -> bool) -> 'Map.S.t -> Map.S.key * 'a
      val find_last_opt :
        (Map.S.key -> bool) -> 'Map.S.t -> (Map.S.key * 'a) option
      val map : ('-> 'b) -> 'Map.S.t -> 'Map.S.t
      val mapi : (Map.S.key -> '-> 'b) -> 'Map.S.t -> 'Map.S.t
    end
  module Make :
    functor (Ord : OrderedType->
      sig
        type key = Ord.t
        type +'a t
        val empty : 'a t
        val is_empty : 'a t -> bool
        val mem : key -> 'a t -> bool
        val add : key -> '-> 'a t -> 'a t
        val singleton : key -> '-> 'a t
        val remove : key -> 'a t -> 'a t
        val merge :
          (key -> 'a option -> 'b option -> 'c option) ->
          'a t -> 'b t -> 'c t
        val union : (key -> '-> '-> 'a option) -> 'a t -> 'a t -> 'a t
        val compare : ('-> '-> int) -> 'a t -> 'a t -> int
        val equal : ('-> '-> bool) -> 'a t -> 'a t -> bool
        val iter : (key -> '-> unit) -> 'a t -> unit
        val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
        val for_all : (key -> '-> bool) -> 'a t -> bool
        val exists : (key -> '-> bool) -> 'a t -> bool
        val filter : (key -> '-> bool) -> 'a t -> 'a t
        val partition : (key -> '-> bool) -> 'a t -> 'a t * 'a t
        val cardinal : 'a t -> int
        val bindings : 'a t -> (key * 'a) list
        val min_binding : 'a t -> key * 'a
        val min_binding_opt : 'a t -> (key * 'a) option
        val max_binding : 'a t -> key * 'a
        val max_binding_opt : 'a t -> (key * 'a) option
        val choose : 'a t -> key * 'a
        val choose_opt : 'a t -> (key * 'a) option
        val split : key -> 'a t -> 'a t * 'a option * 'a t
        val find : key -> 'a t -> 'a
        val find_opt : key -> 'a t -> 'a option
        val find_first : (key -> bool) -> 'a t -> key * 'a
        val find_first_opt : (key -> bool) -> 'a t -> (key * 'a) option
        val find_last : (key -> bool) -> 'a t -> key * 'a
        val find_last_opt : (key -> bool) -> 'a t -> (key * 'a) option
        val map : ('-> 'b) -> 'a t -> 'b t
        val mapi : (key -> '-> 'b) -> 'a t -> 'b t
      end
end
ocaml-doc-4.05/ocaml.html/libref/type_Format.html0000644000175000017500000011521513131636444020730 0ustar mehdimehdi Format sig
  val open_box : int -> unit
  val close_box : unit -> unit
  val print_string : string -> unit
  val print_as : int -> string -> unit
  val print_int : int -> unit
  val print_float : float -> unit
  val print_char : char -> unit
  val print_bool : bool -> unit
  val print_space : unit -> unit
  val print_cut : unit -> unit
  val print_break : int -> int -> unit
  val print_flush : unit -> unit
  val print_newline : unit -> unit
  val force_newline : unit -> unit
  val print_if_newline : unit -> unit
  val set_margin : int -> unit
  val get_margin : unit -> int
  val set_max_indent : int -> unit
  val get_max_indent : unit -> int
  val set_max_boxes : int -> unit
  val get_max_boxes : unit -> int
  val over_max_boxes : unit -> bool
  val open_hbox : unit -> unit
  val open_vbox : int -> unit
  val open_hvbox : int -> unit
  val open_hovbox : int -> unit
  val set_ellipsis_text : string -> unit
  val get_ellipsis_text : unit -> string
  type tag = string
  val open_tag : Format.tag -> unit
  val close_tag : unit -> unit
  val set_tags : bool -> unit
  val set_print_tags : bool -> unit
  val set_mark_tags : bool -> unit
  val get_print_tags : unit -> bool
  val get_mark_tags : unit -> bool
  val set_formatter_out_channel : Pervasives.out_channel -> unit
  val set_formatter_output_functions :
    (string -> int -> int -> unit) -> (unit -> unit) -> unit
  val get_formatter_output_functions :
    unit -> (string -> int -> int -> unit) * (unit -> unit)
  type formatter_out_functions = {
    out_string : string -> int -> int -> unit;
    out_flush : unit -> unit;
    out_newline : unit -> unit;
    out_spaces : int -> unit;
  }
  val set_formatter_out_functions : Format.formatter_out_functions -> unit
  val get_formatter_out_functions : unit -> Format.formatter_out_functions
  type formatter_tag_functions = {
    mark_open_tag : Format.tag -> string;
    mark_close_tag : Format.tag -> string;
    print_open_tag : Format.tag -> unit;
    print_close_tag : Format.tag -> unit;
  }
  val set_formatter_tag_functions : Format.formatter_tag_functions -> unit
  val get_formatter_tag_functions : unit -> Format.formatter_tag_functions
  type formatter
  val formatter_of_out_channel : Pervasives.out_channel -> Format.formatter
  val std_formatter : Format.formatter
  val err_formatter : Format.formatter
  val formatter_of_buffer : Buffer.t -> Format.formatter
  val stdbuf : Buffer.t
  val str_formatter : Format.formatter
  val flush_str_formatter : unit -> string
  val make_formatter :
    (string -> int -> int -> unit) -> (unit -> unit) -> Format.formatter
  val pp_open_hbox : Format.formatter -> unit -> unit
  val pp_open_vbox : Format.formatter -> int -> unit
  val pp_open_hvbox : Format.formatter -> int -> unit
  val pp_open_hovbox : Format.formatter -> int -> unit
  val pp_open_box : Format.formatter -> int -> unit
  val pp_close_box : Format.formatter -> unit -> unit
  val pp_open_tag : Format.formatter -> string -> unit
  val pp_close_tag : Format.formatter -> unit -> unit
  val pp_print_string : Format.formatter -> string -> unit
  val pp_print_as : Format.formatter -> int -> string -> unit
  val pp_print_int : Format.formatter -> int -> unit
  val pp_print_float : Format.formatter -> float -> unit
  val pp_print_char : Format.formatter -> char -> unit
  val pp_print_bool : Format.formatter -> bool -> unit
  val pp_print_break : Format.formatter -> int -> int -> unit
  val pp_print_cut : Format.formatter -> unit -> unit
  val pp_print_space : Format.formatter -> unit -> unit
  val pp_force_newline : Format.formatter -> unit -> unit
  val pp_print_flush : Format.formatter -> unit -> unit
  val pp_print_newline : Format.formatter -> unit -> unit
  val pp_print_if_newline : Format.formatter -> unit -> unit
  val pp_set_tags : Format.formatter -> bool -> unit
  val pp_set_print_tags : Format.formatter -> bool -> unit
  val pp_set_mark_tags : Format.formatter -> bool -> unit
  val pp_get_print_tags : Format.formatter -> unit -> bool
  val pp_get_mark_tags : Format.formatter -> unit -> bool
  val pp_set_margin : Format.formatter -> int -> unit
  val pp_get_margin : Format.formatter -> unit -> int
  val pp_set_max_indent : Format.formatter -> int -> unit
  val pp_get_max_indent : Format.formatter -> unit -> int
  val pp_set_max_boxes : Format.formatter -> int -> unit
  val pp_get_max_boxes : Format.formatter -> unit -> int
  val pp_over_max_boxes : Format.formatter -> unit -> bool
  val pp_set_ellipsis_text : Format.formatter -> string -> unit
  val pp_get_ellipsis_text : Format.formatter -> unit -> string
  val pp_set_formatter_out_channel :
    Format.formatter -> Pervasives.out_channel -> unit
  val pp_set_formatter_output_functions :
    Format.formatter ->
    (string -> int -> int -> unit) -> (unit -> unit) -> unit
  val pp_get_formatter_output_functions :
    Format.formatter ->
    unit -> (string -> int -> int -> unit) * (unit -> unit)
  val pp_set_formatter_tag_functions :
    Format.formatter -> Format.formatter_tag_functions -> unit
  val pp_get_formatter_tag_functions :
    Format.formatter -> unit -> Format.formatter_tag_functions
  val pp_set_formatter_out_functions :
    Format.formatter -> Format.formatter_out_functions -> unit
  val pp_get_formatter_out_functions :
    Format.formatter -> unit -> Format.formatter_out_functions
  val pp_flush_formatter : Format.formatter -> unit
  val pp_print_list :
    ?pp_sep:(Format.formatter -> unit -> unit) ->
    (Format.formatter -> '-> unit) -> Format.formatter -> 'a list -> unit
  val pp_print_text : Format.formatter -> string -> unit
  val fprintf :
    Format.formatter -> ('a, Format.formatter, unit) Pervasives.format -> 'a
  val printf : ('a, Format.formatter, unit) Pervasives.format -> 'a
  val eprintf : ('a, Format.formatter, unit) Pervasives.format -> 'a
  val sprintf : ('a, unit, string) Pervasives.format -> 'a
  val asprintf :
    ('a, Format.formatter, unit, string) Pervasives.format4 -> 'a
  val ifprintf :
    Format.formatter -> ('a, Format.formatter, unit) Pervasives.format -> 'a
  val kfprintf :
    (Format.formatter -> 'a) ->
    Format.formatter ->
    ('b, Format.formatter, unit, 'a) Pervasives.format4 -> 'b
  val ikfprintf :
    (Format.formatter -> 'a) ->
    Format.formatter ->
    ('b, Format.formatter, unit, 'a) Pervasives.format4 -> 'b
  val ksprintf :
    (string -> 'a) -> ('b, unit, string, 'a) Pervasives.format4 -> 'b
  val kasprintf :
    (string -> 'a) ->
    ('b, Format.formatter, unit, 'a) Pervasives.format4 -> 'b
  val bprintf :
    Buffer.t -> ('a, Format.formatter, unit) Pervasives.format -> 'a
  val kprintf :
    (string -> 'a) -> ('b, unit, string, 'a) Pervasives.format4 -> 'b
  val set_all_formatter_output_functions :
    out:(string -> int -> int -> unit) ->
    flush:(unit -> unit) ->
    newline:(unit -> unit) -> spaces:(int -> unit) -> unit
  val get_all_formatter_output_functions :
    unit ->
    (string -> int -> int -> unit) * (unit -> unit) * (unit -> unit) *
    (int -> unit)
  val pp_set_all_formatter_output_functions :
    Format.formatter ->
    out:(string -> int -> int -> unit) ->
    flush:(unit -> unit) ->
    newline:(unit -> unit) -> spaces:(int -> unit) -> unit
  val pp_get_all_formatter_output_functions :
    Format.formatter ->
    unit ->
    (string -> int -> int -> unit) * (unit -> unit) * (unit -> unit) *
    (int -> unit)
  val pp_open_tbox : Format.formatter -> unit -> unit
  val pp_close_tbox : Format.formatter -> unit -> unit
  val pp_print_tbreak : Format.formatter -> int -> int -> unit
  val pp_set_tab : Format.formatter -> unit -> unit
  val pp_print_tab : Format.formatter -> unit -> unit
  val open_tbox : unit -> unit
  val close_tbox : unit -> unit
  val print_tbreak : int -> int -> unit
  val set_tab : unit -> unit
  val print_tab : unit -> unit
end
ocaml-doc-4.05/ocaml.html/libref/Numbers.Float.html0000644000175000017500000002003613131636447021115 0ustar mehdimehdi Numbers.Float

Module Numbers.Float

module Float: Identifiable.S  with type t = float

type t 
module T: Identifiable.Thing  with type t = t
include Identifiable.Thing
module Set: sig .. end
module Map: sig .. end
module Tbl: sig .. end
ocaml-doc-4.05/ocaml.html/libref/Pervasives.LargeFile.html0000644000175000017500000002061313131636450022411 0ustar mehdimehdi Pervasives.LargeFile

Module Pervasives.LargeFile

module LargeFile: sig .. end
Operations on large files. This sub-module provides 64-bit variants of the channel functions that manipulate file positions and file sizes. By representing positions and sizes by 64-bit integers (type int64) instead of regular integers (type int), these alternate functions allow operating on files whose sizes are greater than max_int.

val seek_out : out_channel -> int64 -> unit
val pos_out : out_channel -> int64
val out_channel_length : out_channel -> int64
val seek_in : in_channel -> int64 -> unit
val pos_in : in_channel -> int64
val in_channel_length : in_channel -> int64
ocaml-doc-4.05/ocaml.html/libref/Ephemeron.S.html0000644000175000017500000002144513131636443020562 0ustar mehdimehdi Ephemeron.S

Module type Ephemeron.S

module type S = sig .. end
The output signature of the functor Ephemeron.K1.Make and Ephemeron.K2.Make. These hash tables are weak in the keys. If all the keys of a binding are alive the binding is kept, but if one of the keys of the binding is dead then the binding is removed.


Propose the same interface as usual hash table. However since the bindings are weak, even if mem h k is true, a subsequent find h k may raise Not_found because the garbage collector can run between the two.

Moreover, the table shouldn't be modified during a call to iter. Use filter_map_inplace in this case.

include Hashtbl.S
val clean : 'a t -> unit
remove all dead bindings. Done automatically during automatic resizing.
val stats_alive : 'a t -> Hashtbl.statistics
same as Hashtbl.SeededS.stats but only count the alive bindings
ocaml-doc-4.05/ocaml.html/libref/type_Mutex.html0000644000175000017500000001620013131636447020577 0ustar mehdimehdi Mutex sig
  type t
  val create : unit -> Mutex.t
  val lock : Mutex.t -> unit
  val try_lock : Mutex.t -> bool
  val unlock : Mutex.t -> unit
end
ocaml-doc-4.05/ocaml.html/libref/index_exceptions.html0000644000175000017500000003050213131636452022001 0ustar mehdimehdi Index of exceptions

Index of exceptions


B
Bad [Arg]
Functions in spec or anon_fun can raise Arg.Bad with an error message to reject invalid arguments.
Break [Sys]
Exception raised on interactive interrupt if Sys.catch_break is on.

E
Empty [Stack]
Raised when Stack.pop or Stack.top is applied to an empty stack.
Empty [Queue]
Raised when Queue.take or Queue.peek is applied to an empty queue.
Error [Syntaxerr]
Error [Stream]
Raised by parsers when the first component of a stream pattern is accepted, but one of the following components is rejected.
Error [Location]
Error [Lexer]
Error [Dynlink]
Errors in dynamic linking are reported by raising the Error exception with a description of the error.
Error [Attr_helper]
Errors [Warnings]
Escape_error [Syntaxerr]
Exit [Pervasives]
The Exit exception is not raised by any library function.

F
Failure [Stream]
Raised by parsers when none of the first components of the stream patterns is accepted.
Fatal_error [Misc]

G
Graphic_failure [Graphics]
Raised by the functions below when they encounter an error.

H
Help [Arg]
Raised by Arg.parse_argv when the user asks for help.
HookExnWrapper [Misc]
An exception raised by a hook will be wrapped into a HookExnWrapper constructor by the hook machinery.

I
Inconsistency [Consistbl]

N
Not_available [Consistbl]

P
Parse_error [Parsing]
Raised when a parser encounters a syntax error.

S
Scan_failure [Scanf]
When the input can not be read according to the format string specification, formatted input functions typically raise exception Scan_failure.

U
Undefined [Lazy]
Undefined [CamlinternalLazy]
Unix_error [UnixLabels]
Raised by the system calls below when an error is encountered.
Unix_error [Unix]
Raised by the system calls below when an error is encountered.
ocaml-doc-4.05/ocaml.html/libref/Lazy.html0000644000175000017500000003273513131636445017364 0ustar mehdimehdi Lazy

Module Lazy

module Lazy: sig .. end
Deferred computations.

type 'a t = 'a lazy_t 
A value of type 'Lazy.t is a deferred computation, called a suspension, that has a result of type 'a. The special expression syntax lazy (expr) makes a suspension of the computation of expr, without computing expr itself yet. "Forcing" the suspension will then compute expr and return its result.

Note: lazy_t is the built-in type constructor used by the compiler for the lazy keyword. You should not use it directly. Always use Lazy.t instead.

Note: Lazy.force is not thread-safe. If you use this module in a multi-threaded program, you will need to add some locks.

Note: if the program is compiled with the -rectypes option, ill-founded recursive definitions of the form let rec x = lazy x or let rec x = lazy(lazy(...(lazy x))) are accepted by the type-checker and lead, when forced, to ill-formed values that trigger infinite loops in the garbage collector and other parts of the run-time system. Without the -rectypes option, such ill-founded recursive definitions are rejected by the type-checker.

exception Undefined
val force : 'a t -> 'a
force x forces the suspension x and returns its result. If x has already been forced, Lazy.force x returns the same value again without recomputing it. If it raised an exception, the same exception is raised again. Raise Lazy.Undefined if the forcing of x tries to force x itself recursively.
val force_val : 'a t -> 'a
force_val x forces the suspension x and returns its result. If x has already been forced, force_val x returns the same value again without recomputing it. Raise Lazy.Undefined if the forcing of x tries to force x itself recursively. If the computation of x raises an exception, it is unspecified whether force_val x raises the same exception or Lazy.Undefined.
val from_fun : (unit -> 'a) -> 'a t
from_fun f is the same as lazy (f ()) but slightly more efficient.

from_fun should only be used if the function f is already defined. In particular it is always less efficient to write from_fun (fun () -> expr) than lazy expr.
Since 4.00.0

val from_val : 'a -> 'a t
from_val v returns an already-forced suspension of v. This is for special purposes only and should not be confused with lazy (v).
Since 4.00.0
val is_val : 'a t -> bool
is_val x returns true if x has already been forced and did not raise an exception.
Since 4.00.0
val lazy_from_fun : (unit -> 'a) -> 'a t
Deprecated.synonym for from_fun.
val lazy_from_val : 'a -> 'a t
Deprecated.synonym for from_val.
val lazy_is_val : 'a t -> bool
Deprecated.synonym for is_val.
ocaml-doc-4.05/ocaml.html/libref/type_Pprintast.html0000644000175000017500000002171713131636450021464 0ustar mehdimehdi Pprintast sig
  type space_formatter = (unit, Format.formatter, unit) Pervasives.format
  val toplevel_phrase : Format.formatter -> Parsetree.toplevel_phrase -> unit
  val expression : Format.formatter -> Parsetree.expression -> unit
  val string_of_expression : Parsetree.expression -> string
  val top_phrase : Format.formatter -> Parsetree.toplevel_phrase -> unit
  val core_type : Format.formatter -> Parsetree.core_type -> unit
  val pattern : Format.formatter -> Parsetree.pattern -> unit
  val signature : Format.formatter -> Parsetree.signature -> unit
  val structure : Format.formatter -> Parsetree.structure -> unit
  val string_of_structure : Parsetree.structure -> string
end
ocaml-doc-4.05/ocaml.html/libref/Arith_status.html0000644000175000017500000002615613131636441021113 0ustar mehdimehdi Arith_status

Module Arith_status

module Arith_status: sig .. end
Flags that control rational arithmetic.

val arith_status : unit -> unit
Print the current status of the arithmetic flags.
val get_error_when_null_denominator : unit -> bool
See Arith_status.set_error_when_null_denominator.
val set_error_when_null_denominator : bool -> unit
Get or set the flag null_denominator. When on, attempting to create a rational with a null denominator raises an exception. When off, rationals with null denominators are accepted. Initially: on.
val get_normalize_ratio : unit -> bool
See Arith_status.set_normalize_ratio.
val set_normalize_ratio : bool -> unit
Get or set the flag normalize_ratio. When on, rational numbers are normalized after each operation. When off, rational numbers are not normalized until printed. Initially: off.
val get_normalize_ratio_when_printing : unit -> bool
See Arith_status.set_normalize_ratio_when_printing.
val set_normalize_ratio_when_printing : bool -> unit
Get or set the flag normalize_ratio_when_printing. When on, rational numbers are normalized before being printed. When off, rational numbers are printed as is, without normalization. Initially: on.
val get_approx_printing : unit -> bool
See Arith_status.set_approx_printing.
val set_approx_printing : bool -> unit
Get or set the flag approx_printing. When on, rational numbers are printed as a decimal approximation. When off, rational numbers are printed as a fraction. Initially: off.
val get_floating_precision : unit -> int
See Arith_status.set_floating_precision.
val set_floating_precision : int -> unit
Get or set the parameter floating_precision. This parameter is the number of digits displayed when approx_printing is on. Initially: 12.
ocaml-doc-4.05/ocaml.html/libref/type_Bigarray.Array3.html0000644000175000017500000004763013131636442022403 0ustar mehdimehdi Bigarray.Array3 sig
  type ('a, 'b, 'c) t
  val create :
    ('a, 'b) Bigarray.kind ->
    'Bigarray.layout -> int -> int -> int -> ('a, 'b, 'c) Bigarray.Array3.t
  external dim1 : ('a, 'b, 'c) Bigarray.Array3.t -> int = "%caml_ba_dim_1"
  external dim2 : ('a, 'b, 'c) Bigarray.Array3.t -> int = "%caml_ba_dim_2"
  external dim3 : ('a, 'b, 'c) Bigarray.Array3.t -> int = "%caml_ba_dim_3"
  external kind : ('a, 'b, 'c) Bigarray.Array3.t -> ('a, 'b) Bigarray.kind
    = "caml_ba_kind"
  external layout : ('a, 'b, 'c) Bigarray.Array3.t -> 'Bigarray.layout
    = "caml_ba_layout"
  val size_in_bytes : ('a, 'b, 'c) Bigarray.Array3.t -> int
  external get : ('a, 'b, 'c) Bigarray.Array3.t -> int -> int -> int -> 'a
    = "%caml_ba_ref_3"
  external set :
    ('a, 'b, 'c) Bigarray.Array3.t -> int -> int -> int -> '-> unit
    = "%caml_ba_set_3"
  external sub_left :
    ('a, 'b, Bigarray.c_layout) Bigarray.Array3.t ->
    int -> int -> ('a, 'b, Bigarray.c_layout) Bigarray.Array3.t
    = "caml_ba_sub"
  external sub_right :
    ('a, 'b, Bigarray.fortran_layout) Bigarray.Array3.t ->
    int -> int -> ('a, 'b, Bigarray.fortran_layout) Bigarray.Array3.t
    = "caml_ba_sub"
  val slice_left_1 :
    ('a, 'b, Bigarray.c_layout) Bigarray.Array3.t ->
    int -> int -> ('a, 'b, Bigarray.c_layout) Bigarray.Array1.t
  val slice_right_1 :
    ('a, 'b, Bigarray.fortran_layout) Bigarray.Array3.t ->
    int -> int -> ('a, 'b, Bigarray.fortran_layout) Bigarray.Array1.t
  val slice_left_2 :
    ('a, 'b, Bigarray.c_layout) Bigarray.Array3.t ->
    int -> ('a, 'b, Bigarray.c_layout) Bigarray.Array2.t
  val slice_right_2 :
    ('a, 'b, Bigarray.fortran_layout) Bigarray.Array3.t ->
    int -> ('a, 'b, Bigarray.fortran_layout) Bigarray.Array2.t
  external blit :
    ('a, 'b, 'c) Bigarray.Array3.t -> ('a, 'b, 'c) Bigarray.Array3.t -> unit
    = "caml_ba_blit"
  external fill : ('a, 'b, 'c) Bigarray.Array3.t -> '-> unit
    = "caml_ba_fill"
  val of_array :
    ('a, 'b) Bigarray.kind ->
    'Bigarray.layout ->
    'a array array array -> ('a, 'b, 'c) Bigarray.Array3.t
  val map_file :
    Unix.file_descr ->
    ?pos:int64 ->
    ('a, 'b) Bigarray.kind ->
    'Bigarray.layout ->
    bool -> int -> int -> int -> ('a, 'b, 'c) Bigarray.Array3.t
  external unsafe_get :
    ('a, 'b, 'c) Bigarray.Array3.t -> int -> int -> int -> 'a
    = "%caml_ba_unsafe_ref_3"
  external unsafe_set :
    ('a, 'b, 'c) Bigarray.Array3.t -> int -> int -> int -> '-> unit
    = "%caml_ba_unsafe_set_3"
end
ocaml-doc-4.05/ocaml.html/libref/type_Ast_helper.Incl.html0000644000175000017500000001605213131636441022446 0ustar mehdimehdi Ast_helper.Incl sig
  val mk :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    ?docs:Docstrings.docs -> '-> 'Parsetree.include_infos
end
ocaml-doc-4.05/ocaml.html/libref/type_MoreLabels.Map.html0000644000175000017500000012513513131636446022245 0ustar mehdimehdi MoreLabels.Map sig
  module type OrderedType = Map.OrderedType
  module type S =
    sig
      type key
      and +'a t
      val empty : 'MoreLabels.Map.S.t
      val is_empty : 'MoreLabels.Map.S.t -> bool
      val mem : MoreLabels.Map.S.key -> 'MoreLabels.Map.S.t -> bool
      val add :
        key:MoreLabels.Map.S.key ->
        data:'-> 'MoreLabels.Map.S.t -> 'MoreLabels.Map.S.t
      val singleton : MoreLabels.Map.S.key -> '-> 'MoreLabels.Map.S.t
      val remove :
        MoreLabels.Map.S.key ->
        'MoreLabels.Map.S.t -> 'MoreLabels.Map.S.t
      val merge :
        f:(MoreLabels.Map.S.key -> 'a option -> 'b option -> 'c option) ->
        'MoreLabels.Map.S.t ->
        'MoreLabels.Map.S.t -> 'MoreLabels.Map.S.t
      val union :
        f:(MoreLabels.Map.S.key -> '-> '-> 'a option) ->
        'MoreLabels.Map.S.t ->
        'MoreLabels.Map.S.t -> 'MoreLabels.Map.S.t
      val compare :
        cmp:('-> '-> int) ->
        'MoreLabels.Map.S.t -> 'MoreLabels.Map.S.t -> int
      val equal :
        cmp:('-> '-> bool) ->
        'MoreLabels.Map.S.t -> 'MoreLabels.Map.S.t -> bool
      val iter :
        f:(key:MoreLabels.Map.S.key -> data:'-> unit) ->
        'MoreLabels.Map.S.t -> unit
      val fold :
        f:(key:MoreLabels.Map.S.key -> data:'-> '-> 'b) ->
        'MoreLabels.Map.S.t -> init:'-> 'b
      val for_all :
        f:(MoreLabels.Map.S.key -> '-> bool) ->
        'MoreLabels.Map.S.t -> bool
      val exists :
        f:(MoreLabels.Map.S.key -> '-> bool) ->
        'MoreLabels.Map.S.t -> bool
      val filter :
        f:(MoreLabels.Map.S.key -> '-> bool) ->
        'MoreLabels.Map.S.t -> 'MoreLabels.Map.S.t
      val partition :
        f:(MoreLabels.Map.S.key -> '-> bool) ->
        'MoreLabels.Map.S.t ->
        'MoreLabels.Map.S.t * 'MoreLabels.Map.S.t
      val cardinal : 'MoreLabels.Map.S.t -> int
      val bindings :
        'MoreLabels.Map.S.t -> (MoreLabels.Map.S.key * 'a) list
      val min_binding : 'MoreLabels.Map.S.t -> MoreLabels.Map.S.key * 'a
      val min_binding_opt :
        'MoreLabels.Map.S.t -> (MoreLabels.Map.S.key * 'a) option
      val max_binding : 'MoreLabels.Map.S.t -> MoreLabels.Map.S.key * 'a
      val max_binding_opt :
        'MoreLabels.Map.S.t -> (MoreLabels.Map.S.key * 'a) option
      val choose : 'MoreLabels.Map.S.t -> MoreLabels.Map.S.key * 'a
      val choose_opt :
        'MoreLabels.Map.S.t -> (MoreLabels.Map.S.key * 'a) option
      val split :
        MoreLabels.Map.S.key ->
        'MoreLabels.Map.S.t ->
        'MoreLabels.Map.S.t * 'a option * 'MoreLabels.Map.S.t
      val find : MoreLabels.Map.S.key -> 'MoreLabels.Map.S.t -> 'a
      val find_opt :
        MoreLabels.Map.S.key -> 'MoreLabels.Map.S.t -> 'a option
      val find_first :
        f:(MoreLabels.Map.S.key -> bool) ->
        'MoreLabels.Map.S.t -> MoreLabels.Map.S.key * 'a
      val find_first_opt :
        f:(MoreLabels.Map.S.key -> bool) ->
        'MoreLabels.Map.S.t -> (MoreLabels.Map.S.key * 'a) option
      val find_last :
        f:(MoreLabels.Map.S.key -> bool) ->
        'MoreLabels.Map.S.t -> MoreLabels.Map.S.key * 'a
      val find_last_opt :
        f:(MoreLabels.Map.S.key -> bool) ->
        'MoreLabels.Map.S.t -> (MoreLabels.Map.S.key * 'a) option
      val map :
        f:('-> 'b) -> 'MoreLabels.Map.S.t -> 'MoreLabels.Map.S.t
      val mapi :
        f:(MoreLabels.Map.S.key -> '-> 'b) ->
        'MoreLabels.Map.S.t -> 'MoreLabels.Map.S.t
    end
  module Make :
    functor (Ord : OrderedType->
      sig
        type key = Ord.t
        and +'a t
        val empty : 'a t
        val is_empty : 'a t -> bool
        val mem : key -> 'a t -> bool
        val add : key:key -> data:'-> 'a t -> 'a t
        val singleton : key -> '-> 'a t
        val remove : key -> 'a t -> 'a t
        val merge :
          f:(key -> 'a option -> 'b option -> 'c option) ->
          'a t -> 'b t -> 'c t
        val union : f:(key -> '-> '-> 'a option) -> 'a t -> 'a t -> 'a t
        val compare : cmp:('-> '-> int) -> 'a t -> 'a t -> int
        val equal : cmp:('-> '-> bool) -> 'a t -> 'a t -> bool
        val iter : f:(key:key -> data:'-> unit) -> 'a t -> unit
        val fold :
          f:(key:key -> data:'-> '-> 'b) -> 'a t -> init:'-> 'b
        val for_all : f:(key -> '-> bool) -> 'a t -> bool
        val exists : f:(key -> '-> bool) -> 'a t -> bool
        val filter : f:(key -> '-> bool) -> 'a t -> 'a t
        val partition : f:(key -> '-> bool) -> 'a t -> 'a t * 'a t
        val cardinal : 'a t -> int
        val bindings : 'a t -> (key * 'a) list
        val min_binding : 'a t -> key * 'a
        val min_binding_opt : 'a t -> (key * 'a) option
        val max_binding : 'a t -> key * 'a
        val max_binding_opt : 'a t -> (key * 'a) option
        val choose : 'a t -> key * 'a
        val choose_opt : 'a t -> (key * 'a) option
        val split : key -> 'a t -> 'a t * 'a option * 'a t
        val find : key -> 'a t -> 'a
        val find_opt : key -> 'a t -> 'a option
        val find_first : f:(key -> bool) -> 'a t -> key * 'a
        val find_first_opt : f:(key -> bool) -> 'a t -> (key * 'a) option
        val find_last : f:(key -> bool) -> 'a t -> key * 'a
        val find_last_opt : f:(key -> bool) -> 'a t -> (key * 'a) option
        val map : f:('-> 'b) -> 'a t -> 'b t
        val mapi : f:(key -> '-> 'b) -> 'a t -> 'b t
      end
end
ocaml-doc-4.05/ocaml.html/libref/type_Misc.StringSet.html0000644000175000017500000003205013131636446022311 0ustar mehdimehdi Misc.StringSet sig
  type elt = string
  type t
  val empty : t
  val is_empty : t -> bool
  val mem : elt -> t -> bool
  val add : elt -> t -> t
  val singleton : elt -> t
  val remove : elt -> t -> t
  val union : t -> t -> t
  val inter : t -> t -> t
  val diff : t -> t -> t
  val compare : t -> t -> int
  val equal : t -> t -> bool
  val subset : t -> t -> bool
  val iter : (elt -> unit) -> t -> unit
  val map : (elt -> elt) -> t -> t
  val fold : (elt -> '-> 'a) -> t -> '-> 'a
  val for_all : (elt -> bool) -> t -> bool
  val exists : (elt -> bool) -> t -> bool
  val filter : (elt -> bool) -> t -> t
  val partition : (elt -> bool) -> t -> t * t
  val cardinal : t -> int
  val elements : t -> elt list
  val min_elt : t -> elt
  val min_elt_opt : t -> elt option
  val max_elt : t -> elt
  val max_elt_opt : t -> elt option
  val choose : t -> elt
  val choose_opt : t -> elt option
  val split : elt -> t -> t * bool * t
  val find : elt -> t -> elt
  val find_opt : elt -> t -> elt option
  val find_first : (elt -> bool) -> t -> elt
  val find_first_opt : (elt -> bool) -> t -> elt option
  val find_last : (elt -> bool) -> t -> elt
  val find_last_opt : (elt -> bool) -> t -> elt option
  val of_list : elt list -> t
end
ocaml-doc-4.05/ocaml.html/libref/Ast_helper.Cl.html0000644000175000017500000002607513131636441021064 0ustar mehdimehdi Ast_helper.Cl

Module Ast_helper.Cl

module Cl: sig .. end
Class expressions

val mk : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs -> Parsetree.class_expr_desc -> Parsetree.class_expr
val attr : Parsetree.class_expr -> Parsetree.attribute -> Parsetree.class_expr
val constr : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Ast_helper.lid -> Parsetree.core_type list -> Parsetree.class_expr
val structure : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs -> Parsetree.class_structure -> Parsetree.class_expr
val fun_ : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Asttypes.arg_label ->
Parsetree.expression option ->
Parsetree.pattern -> Parsetree.class_expr -> Parsetree.class_expr
val apply : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Parsetree.class_expr ->
(Asttypes.arg_label * Parsetree.expression) list -> Parsetree.class_expr
val let_ : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Asttypes.rec_flag ->
Parsetree.value_binding list -> Parsetree.class_expr -> Parsetree.class_expr
val constraint_ : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Parsetree.class_expr -> Parsetree.class_type -> Parsetree.class_expr
val extension : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs -> Parsetree.extension -> Parsetree.class_expr
ocaml-doc-4.05/ocaml.html/libref/Misc.Stdlib.Option.html0000644000175000017500000002016013131636445022014 0ustar mehdimehdi Misc.Stdlib.Option

Module Misc.Stdlib.Option

module Option: sig .. end

type 'a t = 'a option 
val equal : ('a -> 'a -> bool) ->
'a t -> 'a t -> bool
val iter : ('a -> unit) -> 'a t -> unit
val map : ('a -> 'b) -> 'a t -> 'b t
val fold : ('a -> 'b -> 'b) -> 'a t -> 'b -> 'b
val value_default : ('a -> 'b) -> default:'b -> 'a t -> 'b
ocaml-doc-4.05/ocaml.html/libref/Bigarray.Array1.html0000644000175000017500000004140113131636442021326 0ustar mehdimehdi Bigarray.Array1

Module Bigarray.Array1

module Array1: sig .. end
One-dimensional arrays. The Array1 structure provides operations similar to those of Bigarray.Genarray, but specialized to the case of one-dimensional arrays. (The Bigarray.Array2 and Bigarray.Array3 structures below provide operations specialized for two- and three-dimensional arrays.) Statically knowing the number of dimensions of the array allows faster operations, and more precise static type-checking.

type ('a, 'b, 'c) t 
The type of one-dimensional big arrays whose elements have OCaml type 'a, representation kind 'b, and memory layout 'c.
val create : ('a, 'b) Bigarray.kind ->
'c Bigarray.layout -> int -> ('a, 'b, 'c) t
Array1.create kind layout dim returns a new bigarray of one dimension, whose size is dim. kind and layout determine the array element kind and the array layout as described for Bigarray.Genarray.create.
val dim : ('a, 'b, 'c) t -> int
Return the size (dimension) of the given one-dimensional big array.
val kind : ('a, 'b, 'c) t -> ('a, 'b) Bigarray.kind
Return the kind of the given big array.
val layout : ('a, 'b, 'c) t -> 'c Bigarray.layout
Return the layout of the given big array.
val size_in_bytes : ('a, 'b, 'c) t -> int
size_in_bytes a is the number of elements in a multiplied by a's Bigarray.kind_size_in_bytes.
Since 4.03.0
val get : ('a, 'b, 'c) t -> int -> 'a
Array1.get a x, or alternatively a.{x}, returns the element of a at index x. x must be greater or equal than 0 and strictly less than Array1.dim a if a has C layout. If a has Fortran layout, x must be greater or equal than 1 and less or equal than Array1.dim a. Otherwise, Invalid_argument is raised.
val set : ('a, 'b, 'c) t -> int -> 'a -> unit
Array1.set a x v, also written a.{x} <- v, stores the value v at index x in a. x must be inside the bounds of a as described in Bigarray.Array1.get; otherwise, Invalid_argument is raised.
val sub : ('a, 'b, 'c) t ->
int -> int -> ('a, 'b, 'c) t
Extract a sub-array of the given one-dimensional big array. See Bigarray.Genarray.sub_left for more details.
val slice : ('a, 'b, 'c) t -> int -> ('a, 'b, 'c) Bigarray.Array0.t
Extract a scalar (zero-dimensional slice) of the given one-dimensional big array. The integer parameter is the index of the scalar to extract. See Bigarray.Genarray.slice_left and Bigarray.Genarray.slice_right for more details.
Since 4.05.0
val blit : ('a, 'b, 'c) t -> ('a, 'b, 'c) t -> unit
Copy the first big array to the second big array. See Bigarray.Genarray.blit for more details.
val fill : ('a, 'b, 'c) t -> 'a -> unit
Fill the given big array with the given value. See Bigarray.Genarray.fill for more details.
val of_array : ('a, 'b) Bigarray.kind ->
'c Bigarray.layout -> 'a array -> ('a, 'b, 'c) t
Build a one-dimensional big array initialized from the given array.
val map_file : Unix.file_descr ->
?pos:int64 ->
('a, 'b) Bigarray.kind ->
'c Bigarray.layout -> bool -> int -> ('a, 'b, 'c) t
Memory mapping of a file as a one-dimensional big array. See Bigarray.Genarray.map_file for more details.
val unsafe_get : ('a, 'b, 'c) t -> int -> 'a
Like Bigarray.Array1.get, but bounds checking is not always performed. Use with caution and only when the program logic guarantees that the access is within bounds.
val unsafe_set : ('a, 'b, 'c) t -> int -> 'a -> unit
Like Bigarray.Array1.set, but bounds checking is not always performed. Use with caution and only when the program logic guarantees that the access is within bounds.
ocaml-doc-4.05/ocaml.html/libref/type_Ast_helper.Type.html0000644000175000017500000002341513131636441022503 0ustar mehdimehdi Ast_helper.Type sig
  val mk :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    ?docs:Docstrings.docs ->
    ?text:Docstrings.text ->
    ?params:(Parsetree.core_type * Asttypes.variance) list ->
    ?cstrs:(Parsetree.core_type * Parsetree.core_type * Ast_helper.loc) list ->
    ?kind:Parsetree.type_kind ->
    ?priv:Asttypes.private_flag ->
    ?manifest:Parsetree.core_type ->
    Ast_helper.str -> Parsetree.type_declaration
  val constructor :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    ?info:Docstrings.info ->
    ?args:Parsetree.constructor_arguments ->
    ?res:Parsetree.core_type ->
    Ast_helper.str -> Parsetree.constructor_declaration
  val field :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    ?info:Docstrings.info ->
    ?mut:Asttypes.mutable_flag ->
    Ast_helper.str -> Parsetree.core_type -> Parsetree.label_declaration
end
ocaml-doc-4.05/ocaml.html/libref/type_StdLabels.String.html0000644000175000017500000001470513131636450022621 0ustar mehdimehdi StdLabels.String (module StringLabels)ocaml-doc-4.05/ocaml.html/libref/type_Ephemeron.Kn.MakeSeeded.html0000644000175000017500000002744113131636443023761 0ustar mehdimehdi Ephemeron.Kn.MakeSeeded functor (H : Hashtbl.SeededHashedType->
  sig
    type key = H.t array
    type 'a t
    val create : ?random:bool -> int -> 'a t
    val clear : 'a t -> unit
    val reset : 'a t -> unit
    val copy : 'a t -> 'a t
    val add : 'a t -> key -> '-> unit
    val remove : 'a t -> key -> unit
    val find : 'a t -> key -> 'a
    val find_opt : 'a t -> key -> 'a option
    val find_all : 'a t -> key -> 'a list
    val replace : 'a t -> key -> '-> unit
    val mem : 'a t -> key -> bool
    val iter : (key -> '-> unit) -> 'a t -> unit
    val filter_map_inplace : (key -> '-> 'a option) -> 'a t -> unit
    val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
    val length : 'a t -> int
    val stats : 'a t -> Hashtbl.statistics
    val clean : 'a t -> unit
    val stats_alive : 'a t -> Hashtbl.statistics
  end
ocaml-doc-4.05/ocaml.html/libref/type_Depend.StringMap.html0000644000175000017500000004255013131636443022602 0ustar mehdimehdi Depend.StringMap sig
  type key = string
  type +'a t
  val empty : 'a t
  val is_empty : 'a t -> bool
  val mem : key -> 'a t -> bool
  val add : key -> '-> 'a t -> 'a t
  val singleton : key -> '-> 'a t
  val remove : key -> 'a t -> 'a t
  val merge :
    (key -> 'a option -> 'b option -> 'c option) -> 'a t -> 'b t -> 'c t
  val union : (key -> '-> '-> 'a option) -> 'a t -> 'a t -> 'a t
  val compare : ('-> '-> int) -> 'a t -> 'a t -> int
  val equal : ('-> '-> bool) -> 'a t -> 'a t -> bool
  val iter : (key -> '-> unit) -> 'a t -> unit
  val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
  val for_all : (key -> '-> bool) -> 'a t -> bool
  val exists : (key -> '-> bool) -> 'a t -> bool
  val filter : (key -> '-> bool) -> 'a t -> 'a t
  val partition : (key -> '-> bool) -> 'a t -> 'a t * 'a t
  val cardinal : 'a t -> int
  val bindings : 'a t -> (key * 'a) list
  val min_binding : 'a t -> key * 'a
  val min_binding_opt : 'a t -> (key * 'a) option
  val max_binding : 'a t -> key * 'a
  val max_binding_opt : 'a t -> (key * 'a) option
  val choose : 'a t -> key * 'a
  val choose_opt : 'a t -> (key * 'a) option
  val split : key -> 'a t -> 'a t * 'a option * 'a t
  val find : key -> 'a t -> 'a
  val find_opt : key -> 'a t -> 'a option
  val find_first : (key -> bool) -> 'a t -> key * 'a
  val find_first_opt : (key -> bool) -> 'a t -> (key * 'a) option
  val find_last : (key -> bool) -> 'a t -> key * 'a
  val find_last_opt : (key -> bool) -> 'a t -> (key * 'a) option
  val map : ('-> 'b) -> 'a t -> 'b t
  val mapi : (key -> '-> 'b) -> 'a t -> 'b t
end
ocaml-doc-4.05/ocaml.html/libref/Random.State.html0000644000175000017500000002227613131636450020737 0ustar mehdimehdi Random.State

Module Random.State

module State: sig .. end

type t 
The type of PRNG states.
val make : int array -> t
Create a new state and initialize it with the given seed.
val make_self_init : unit -> t
Create a new state and initialize it with a system-dependent low-entropy seed.
val copy : t -> t
Return a copy of the given state.
val bits : t -> int
val int : t -> int -> int
val int32 : t -> Int32.t -> Int32.t
val nativeint : t -> Nativeint.t -> Nativeint.t
val int64 : t -> Int64.t -> Int64.t
val float : t -> float -> float
val bool : t -> bool
These functions are the same as the basic functions, except that they use (and update) the given PRNG state instead of the default one.
ocaml-doc-4.05/ocaml.html/libref/type_Bytes.html0000644000175000017500000004251313131636442020564 0ustar mehdimehdi Bytes sig
  external length : bytes -> int = "%bytes_length"
  external get : bytes -> int -> char = "%bytes_safe_get"
  external set : bytes -> int -> char -> unit = "%bytes_safe_set"
  external create : int -> bytes = "caml_create_bytes"
  val make : int -> char -> bytes
  val init : int -> (int -> char) -> bytes
  val empty : bytes
  val copy : bytes -> bytes
  val of_string : string -> bytes
  val to_string : bytes -> string
  val sub : bytes -> int -> int -> bytes
  val sub_string : bytes -> int -> int -> string
  val extend : bytes -> int -> int -> bytes
  val fill : bytes -> int -> int -> char -> unit
  val blit : bytes -> int -> bytes -> int -> int -> unit
  val blit_string : string -> int -> bytes -> int -> int -> unit
  val concat : bytes -> bytes list -> bytes
  val cat : bytes -> bytes -> bytes
  val iter : (char -> unit) -> bytes -> unit
  val iteri : (int -> char -> unit) -> bytes -> unit
  val map : (char -> char) -> bytes -> bytes
  val mapi : (int -> char -> char) -> bytes -> bytes
  val trim : bytes -> bytes
  val escaped : bytes -> bytes
  val index : bytes -> char -> int
  val index_opt : bytes -> char -> int option
  val rindex : bytes -> char -> int
  val rindex_opt : bytes -> char -> int option
  val index_from : bytes -> int -> char -> int
  val index_from_opt : bytes -> int -> char -> int option
  val rindex_from : bytes -> int -> char -> int
  val rindex_from_opt : bytes -> int -> char -> int option
  val contains : bytes -> char -> bool
  val contains_from : bytes -> int -> char -> bool
  val rcontains_from : bytes -> int -> char -> bool
  val uppercase : bytes -> bytes
  val lowercase : bytes -> bytes
  val capitalize : bytes -> bytes
  val uncapitalize : bytes -> bytes
  val uppercase_ascii : bytes -> bytes
  val lowercase_ascii : bytes -> bytes
  val capitalize_ascii : bytes -> bytes
  val uncapitalize_ascii : bytes -> bytes
  type t = bytes
  val compare : Bytes.t -> Bytes.t -> int
  val equal : Bytes.t -> Bytes.t -> bool
  val unsafe_to_string : bytes -> string
  val unsafe_of_string : string -> bytes
  external unsafe_get : bytes -> int -> char = "%bytes_unsafe_get"
  external unsafe_set : bytes -> int -> char -> unit = "%bytes_unsafe_set"
  external unsafe_blit : bytes -> int -> bytes -> int -> int -> unit
    = "caml_blit_bytes" [@@noalloc]
  external unsafe_fill : bytes -> int -> int -> char -> unit
    = "caml_fill_bytes" [@@noalloc]
end
ocaml-doc-4.05/ocaml.html/libref/Misc.StringMap.html0000644000175000017500000007014313131636446021237 0ustar mehdimehdi Misc.StringMap

Module Misc.StringMap

module StringMap: Map.S  with type key = string

type key 
The type of the map keys.
type +'a t 
The type of maps from type key to type 'a.
val empty : 'a t
The empty map.
val is_empty : 'a t -> bool
Test whether a map is empty or not.
val mem : key -> 'a t -> bool
mem x m returns true if m contains a binding for x, and false otherwise.
val add : key -> 'a -> 'a t -> 'a t
add x y m returns a map containing the same bindings as m, plus a binding of x to y. If x was already bound in m to a value that is physically equal to y, m is returned unchanged (the result of the function is then physically equal to m). Otherwise, the previous binding of x in m disappears.
Before 4.03 Physical equality was not ensured.
val singleton : key -> 'a -> 'a t
singleton x y returns the one-element map that contains a binding y for x.
Since 3.12.0
val remove : key -> 'a t -> 'a t
remove x m returns a map containing the same bindings as m, except for x which is unbound in the returned map. If x was not in m, m is returned unchanged (the result of the function is then physically equal to m).
Before 4.03 Physical equality was not ensured.
val merge : (key -> 'a option -> 'b option -> 'c option) ->
'a t -> 'b t -> 'c t
merge f m1 m2 computes a map whose keys is a subset of keys of m1 and of m2. The presence of each such binding, and the corresponding value, is determined with the function f. In terms of the find_opt operation, we have find_opt x (merge f m1 m2) = f (find_opt x m1) (find_opt x m2) for any key x, provided that None None = None.
Since 3.12.0
val union : (key -> 'a -> 'a -> 'a option) ->
'a t -> 'a t -> 'a t
union f m1 m2 computes a map whose keys is the union of keys of m1 and of m2. When the same binding is defined in both arguments, the function f is used to combine them. This is a special case of merge: union f m1 m2 is equivalent to merge f' m1 m2, where
Since 4.03.0
val compare : ('a -> 'a -> int) -> 'a t -> 'a t -> int
Total ordering between maps. The first argument is a total ordering used to compare data associated with equal keys in the two maps.
val equal : ('a -> 'a -> bool) -> 'a t -> 'a t -> bool
equal cmp m1 m2 tests whether the maps m1 and m2 are equal, that is, contain equal keys and associate them with equal data. cmp is the equality predicate used to compare the data associated with the keys.
val iter : (key -> 'a -> unit) -> 'a t -> unit
iter f m applies f to all bindings in map m. f receives the key as first argument, and the associated value as second argument. The bindings are passed to f in increasing order with respect to the ordering over the type of the keys.
val fold : (key -> 'a -> 'b -> 'b) -> 'a t -> 'b -> 'b
fold f m a computes (f kN dN ... (f k1 d1 a)...), where k1 ... kN are the keys of all bindings in m (in increasing order), and d1 ... dN are the associated data.
val for_all : (key -> 'a -> bool) -> 'a t -> bool
for_all p m checks if all the bindings of the map satisfy the predicate p.
Since 3.12.0
val exists : (key -> 'a -> bool) -> 'a t -> bool
exists p m checks if at least one binding of the map satisfies the predicate p.
Since 3.12.0
val filter : (key -> 'a -> bool) -> 'a t -> 'a t
filter p m returns the map with all the bindings in m that satisfy predicate p. If p satisfies every binding in m, m is returned unchanged (the result of the function is then physically equal to m)
Before 4.03 Physical equality was not ensured.
Since 3.12.0
val partition : (key -> 'a -> bool) -> 'a t -> 'a t * 'a t
partition p m returns a pair of maps (m1, m2), where m1 contains all the bindings of s that satisfy the predicate p, and m2 is the map with all the bindings of s that do not satisfy p.
Since 3.12.0
val cardinal : 'a t -> int
Return the number of bindings of a map.
Since 3.12.0
val bindings : 'a t -> (key * 'a) list
Return the list of all bindings of the given map. The returned list is sorted in increasing order with respect to the ordering Ord.compare, where Ord is the argument given to Map.Make.
Since 3.12.0
val min_binding : 'a t -> key * 'a
Return the smallest binding of the given map (with respect to the Ord.compare ordering), or raise Not_found if the map is empty.
Since 3.12.0
val min_binding_opt : 'a t -> (key * 'a) option
Return the smallest binding of the given map (with respect to the Ord.compare ordering), or None if the map is empty.
Since 4.05
val max_binding : 'a t -> key * 'a
Same as Map.S.min_binding, but returns the largest binding of the given map.
Since 3.12.0
val max_binding_opt : 'a t -> (key * 'a) option
Same as Map.S.min_binding_opt, but returns the largest binding of the given map.
Since 4.05
val choose : 'a t -> key * 'a
Return one binding of the given map, or raise Not_found if the map is empty. Which binding is chosen is unspecified, but equal bindings will be chosen for equal maps.
Since 3.12.0
val choose_opt : 'a t -> (key * 'a) option
Return one binding of the given map, or None if the map is empty. Which binding is chosen is unspecified, but equal bindings will be chosen for equal maps.
Since 4.05
val split : key -> 'a t -> 'a t * 'a option * 'a t
split x m returns a triple (l, data, r), where l is the map with all the bindings of m whose key is strictly less than x; r is the map with all the bindings of m whose key is strictly greater than x; data is None if m contains no binding for x, or Some v if m binds v to x.
Since 3.12.0
val find : key -> 'a t -> 'a
find x m returns the current binding of x in m, or raises Not_found if no such binding exists.
val find_opt : key -> 'a t -> 'a option
find_opt x m returns Some v if the current binding of x in m is v, or None if no such binding exists.
Since 4.05
val find_first : (key -> bool) -> 'a t -> key * 'a
find_first f m, where f is a monotonically increasing function, returns the binding of m with the lowest key k such that f k, or raises Not_found if no such key exists.

For example, find_first (fun k -> Ord.compare k x >= 0) m will return the first binding k, v of m where Ord.compare k x >= 0 (intuitively: k >= x), or raise Not_found if x is greater than any element of m.
Since 4.05

val find_first_opt : (key -> bool) -> 'a t -> (key * 'a) option
find_first_opt f m, where f is a monotonically increasing function, returns an option containing the binding of m with the lowest key k such that f k, or None if no such key exists.
Since 4.05
val find_last : (key -> bool) -> 'a t -> key * 'a
find_last f m, where f is a monotonically decreasing function, returns the binding of m with the highest key k such that f k, or raises Not_found if no such key exists.
Since 4.05
val find_last_opt : (key -> bool) -> 'a t -> (key * 'a) option
find_last_opt f m, where f is a monotonically decreasing function, returns an option containing the binding of m with the highest key k such that f k, or None if no such key exists.
Since 4.05
val map : ('a -> 'b) -> 'a t -> 'b t
map f m returns a map with same domain as m, where the associated value a of all bindings of m has been replaced by the result of the application of f to a. The bindings are passed to f in increasing order with respect to the ordering over the type of the keys.
val mapi : (key -> 'a -> 'b) -> 'a t -> 'b t
Same as Map.S.map, but the function receives as arguments both the key and the associated value for each binding of the map.
ocaml-doc-4.05/ocaml.html/libref/MoreLabels.Hashtbl.SeededS.html0000644000175000017500000002556213131636446023372 0ustar mehdimehdi MoreLabels.Hashtbl.SeededS

Module type MoreLabels.Hashtbl.SeededS

module type SeededS = sig .. end

type key 
type 'a t 
val create : ?random:bool -> int -> 'a t
val clear : 'a t -> unit
val reset : 'a t -> unit
val copy : 'a t -> 'a t
val add : 'a t ->
key:key -> data:'a -> unit
val remove : 'a t -> key -> unit
val find : 'a t -> key -> 'a
val find_opt : 'a t ->
key -> 'a option
val find_all : 'a t -> key -> 'a list
val replace : 'a t ->
key:key -> data:'a -> unit
val mem : 'a t -> key -> bool
val iter : f:(key:key -> data:'a -> unit) ->
'a t -> unit
val filter_map_inplace : f:(key:key -> data:'a -> 'a option) ->
'a t -> unit
val fold : f:(key:key -> data:'a -> 'b -> 'b) ->
'a t -> init:'b -> 'b
val length : 'a t -> int
val stats : 'a t -> MoreLabels.Hashtbl.statistics
ocaml-doc-4.05/ocaml.html/libref/type_Ephemeron.SeededS.html0000644000175000017500000002636113131636443022737 0ustar mehdimehdi Ephemeron.SeededS sig
  type key
  type 'a t
  val create : ?random:bool -> int -> 'a t
  val clear : 'a t -> unit
  val reset : 'a t -> unit
  val copy : 'a t -> 'a t
  val add : 'a t -> key -> '-> unit
  val remove : 'a t -> key -> unit
  val find : 'a t -> key -> 'a
  val find_opt : 'a t -> key -> 'a option
  val find_all : 'a t -> key -> 'a list
  val replace : 'a t -> key -> '-> unit
  val mem : 'a t -> key -> bool
  val iter : (key -> '-> unit) -> 'a t -> unit
  val filter_map_inplace : (key -> '-> 'a option) -> 'a t -> unit
  val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
  val length : 'a t -> int
  val stats : 'a t -> Hashtbl.statistics
  val clean : 'a t -> unit
  val stats_alive : 'a t -> Hashtbl.statistics
end
ocaml-doc-4.05/ocaml.html/libref/type_Config.html0000644000175000017500000002665713131636443020717 0ustar mehdimehdi Config sig
  val version : string
  val standard_library : string
  val standard_runtime : string
  val ccomp_type : string
  val bytecomp_c_compiler : string
  val bytecomp_c_libraries : string
  val native_c_compiler : string
  val native_c_libraries : string
  val native_pack_linker : string
  val mkdll : string
  val mkexe : string
  val mkmaindll : string
  val ranlib : string
  val ar : string
  val cc_profile : string
  val load_path : string list Pervasives.ref
  val interface_suffix : string Pervasives.ref
  val exec_magic_number : string
  val cmi_magic_number : string
  val cmo_magic_number : string
  val cma_magic_number : string
  val cmx_magic_number : string
  val cmxa_magic_number : string
  val ast_intf_magic_number : string
  val ast_impl_magic_number : string
  val cmxs_magic_number : string
  val cmt_magic_number : string
  val max_tag : int
  val lazy_tag : int
  val max_young_wosize : int
  val stack_threshold : int
  val stack_safety_margin : int
  val architecture : string
  val model : string
  val system : string
  val asm : string
  val asm_cfi_supported : bool
  val with_frame_pointers : bool
  val ext_obj : string
  val ext_asm : string
  val ext_lib : string
  val ext_dll : string
  val default_executable_name : string
  val systhread_supported : bool
  val flexdll_dirs : string list
  val host : string
  val target : string
  val print_config : Pervasives.out_channel -> unit
  val profiling : bool
  val flambda : bool
  val spacetime : bool
  val profinfo : bool
  val profinfo_width : int
  val libunwind_available : bool
  val libunwind_link_flags : string
  val safe_string : bool
  val afl_instrument : bool
end
ocaml-doc-4.05/ocaml.html/libref/Hashtbl.HashedType.html0000644000175000017500000002207413131636444022061 0ustar mehdimehdi Hashtbl.HashedType

Module type Hashtbl.HashedType

module type HashedType = sig .. end
The input signature of the functor Hashtbl.Make.

type t 
The type of the hashtable keys.
val equal : t -> t -> bool
The equality predicate used to compare keys.
val hash : t -> int
A hashing function on keys. It must be such that if two keys are equal according to equal, then they have identical hash values as computed by hash. Examples: suitable (equal, hash) pairs for arbitrary key types include
ocaml-doc-4.05/ocaml.html/libref/type_Ephemeron.K1.MakeSeeded.html0000644000175000017500000002742613131636443023667 0ustar mehdimehdi Ephemeron.K1.MakeSeeded functor (H : Hashtbl.SeededHashedType->
  sig
    type key = H.t
    type 'a t
    val create : ?random:bool -> int -> 'a t
    val clear : 'a t -> unit
    val reset : 'a t -> unit
    val copy : 'a t -> 'a t
    val add : 'a t -> key -> '-> unit
    val remove : 'a t -> key -> unit
    val find : 'a t -> key -> 'a
    val find_opt : 'a t -> key -> 'a option
    val find_all : 'a t -> key -> 'a list
    val replace : 'a t -> key -> '-> unit
    val mem : 'a t -> key -> bool
    val iter : (key -> '-> unit) -> 'a t -> unit
    val filter_map_inplace : (key -> '-> 'a option) -> 'a t -> unit
    val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
    val length : 'a t -> int
    val stats : 'a t -> Hashtbl.statistics
    val clean : 'a t -> unit
    val stats_alive : 'a t -> Hashtbl.statistics
  end
ocaml-doc-4.05/ocaml.html/libref/type_CamlinternalLazy.html0000644000175000017500000001655313131636443022755 0ustar mehdimehdi CamlinternalLazy sig
  exception Undefined
  val force_lazy_block : 'a lazy_t -> 'a
  val force_val_lazy_block : 'a lazy_t -> 'a
  val force : 'a lazy_t -> 'a
  val force_val : 'a lazy_t -> 'a
end
ocaml-doc-4.05/ocaml.html/libref/type_Hashtbl.SeededHashedType.html0000644000175000017500000001620113131636444024227 0ustar mehdimehdi Hashtbl.SeededHashedType sig
  type t
  val equal :
    Hashtbl.SeededHashedType.t -> Hashtbl.SeededHashedType.t -> bool
  val hash : int -> Hashtbl.SeededHashedType.t -> int
end
ocaml-doc-4.05/ocaml.html/libref/type_Arg_helper.Make.html0000644000175000017500000006674113131636440022431 0ustar mehdimehdi Arg_helper.Make functor
  (S : sig
         module Key :
           sig
             type t
             val of_string : string -> Arg_helper.Make.Key.t
             module Map :
               sig
                 type key = t
                 type +'a t
                 val empty : 'a t
                 val is_empty : 'a t -> bool
                 val mem : key -> 'a t -> bool
                 val add : key -> '-> 'a t -> 'a t
                 val singleton : key -> '-> 'a t
                 val remove : key -> 'a t -> 'a t
                 val merge :
                   (key -> 'a option -> 'b option -> 'c option) ->
                   'a t -> 'b t -> 'c t
                 val union :
                   (key -> '-> '-> 'a option) -> 'a t -> 'a t -> 'a t
                 val compare : ('-> '-> int) -> 'a t -> 'a t -> int
                 val equal : ('-> '-> bool) -> 'a t -> 'a t -> bool
                 val iter : (key -> '-> unit) -> 'a t -> unit
                 val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
                 val for_all : (key -> '-> bool) -> 'a t -> bool
                 val exists : (key -> '-> bool) -> 'a t -> bool
                 val filter : (key -> '-> bool) -> 'a t -> 'a t
                 val partition : (key -> '-> bool) -> 'a t -> 'a t * 'a t
                 val cardinal : 'a t -> int
                 val bindings : 'a t -> (key * 'a) list
                 val min_binding : 'a t -> key * 'a
                 val min_binding_opt : 'a t -> (key * 'a) option
                 val max_binding : 'a t -> key * 'a
                 val max_binding_opt : 'a t -> (key * 'a) option
                 val choose : 'a t -> key * 'a
                 val choose_opt : 'a t -> (key * 'a) option
                 val split : key -> 'a t -> 'a t * 'a option * 'a t
                 val find : key -> 'a t -> 'a
                 val find_opt : key -> 'a t -> 'a option
                 val find_first : (key -> bool) -> 'a t -> key * 'a
                 val find_first_opt :
                   (key -> bool) -> 'a t -> (key * 'a) option
                 val find_last : (key -> bool) -> 'a t -> key * 'a
                 val find_last_opt :
                   (key -> bool) -> 'a t -> (key * 'a) option
                 val map : ('-> 'b) -> 'a t -> 'b t
                 val mapi : (key -> '-> 'b) -> 'a t -> 'b t
               end
           end
         module Value :
           sig type t val of_string : string -> Arg_helper.Make.Value.t end
       end->
  sig
    type parsed
    val default : S.Value.t -> Arg_helper.Make.parsed
    val set_base_default :
      S.Value.t -> Arg_helper.Make.parsed -> Arg_helper.Make.parsed
    val add_base_override :
      S.Key.t ->
      S.Value.t -> Arg_helper.Make.parsed -> Arg_helper.Make.parsed
    val reset_base_overrides :
      Arg_helper.Make.parsed -> Arg_helper.Make.parsed
    val set_user_default :
      S.Value.t -> Arg_helper.Make.parsed -> Arg_helper.Make.parsed
    val add_user_override :
      S.Key.t ->
      S.Value.t -> Arg_helper.Make.parsed -> Arg_helper.Make.parsed
    val parse :
      string -> string -> Arg_helper.Make.parsed Pervasives.ref -> unit
    type parse_result = Ok | Parse_failed of exn
    val parse_no_error :
      string ->
      Arg_helper.Make.parsed Pervasives.ref -> Arg_helper.Make.parse_result
    val get : key:S.Key.t -> Arg_helper.Make.parsed -> S.Value.t
  end
ocaml-doc-4.05/ocaml.html/libref/Ast_invariants.html0000644000175000017500000001672513131636441021427 0ustar mehdimehdi Ast_invariants

Module Ast_invariants

module Ast_invariants: sig .. end
Check AST invariants

val structure : Parsetree.structure -> unit
val signature : Parsetree.signature -> unit
ocaml-doc-4.05/ocaml.html/libref/type_Identifiable.Pair.html0000644000175000017500000001750313131636444022752 0ustar mehdimehdi Identifiable.Pair functor (A : Thing) (B : Thing->
  sig
    type t = A.t * B.t
    val equal : t -> t -> bool
    val hash : t -> int
    val compare : t -> t -> int
    val output : out_channel -> t -> unit
    val print : Format.formatter -> t -> unit
  end
ocaml-doc-4.05/ocaml.html/libref/type_Filename.html0000644000175000017500000002303013131636444021211 0ustar mehdimehdi Filename sig
  val current_dir_name : string
  val parent_dir_name : string
  val dir_sep : string
  val concat : string -> string -> string
  val is_relative : string -> bool
  val is_implicit : string -> bool
  val check_suffix : string -> string -> bool
  val chop_suffix : string -> string -> string
  val extension : string -> string
  val remove_extension : string -> string
  val chop_extension : string -> string
  val basename : string -> string
  val dirname : string -> string
  val temp_file : ?temp_dir:string -> string -> string -> string
  val open_temp_file :
    ?mode:Pervasives.open_flag list ->
    ?perms:int ->
    ?temp_dir:string -> string -> string -> string * Pervasives.out_channel
  val get_temp_dir_name : unit -> string
  val set_temp_dir_name : string -> unit
  val temp_dir_name : string
  val quote : string -> string
end
ocaml-doc-4.05/ocaml.html/libref/Strongly_connected_components.S.html0000644000175000017500000002175713131636451024755 0ustar mehdimehdi Strongly_connected_components.S

Module type Strongly_connected_components.S

module type S = sig .. end

module Id: Identifiable.S 
type directed_graph = Id.Set.t Id.Map.t 
If (a -> set) belongs to the map, it means that there are edges from a to every element of set. It is assumed that no edge points to a vertex not represented in the map.
type component = 
| Has_loop of Id.t list
| No_loop of Id.t
val connected_components_sorted_from_roots_to_leaf : directed_graph ->
component array
val component_graph : directed_graph ->
(component * int list) array
ocaml-doc-4.05/ocaml.html/libref/type_Identifiable.S.Map.html0000644000175000017500000006137013131636451022774 0ustar mehdimehdi Identifiable.S.Map sig
  type key = T.t
  type 'a t = 'Map.Make(T).t
  val empty : 'a t
  val is_empty : 'a t -> bool
  val mem : key -> 'a t -> bool
  val add : key -> '-> 'a t -> 'a t
  val singleton : key -> '-> 'a t
  val remove : key -> 'a t -> 'a t
  val merge :
    (key -> 'a option -> 'b option -> 'c option) -> 'a t -> 'b t -> 'c t
  val union : (key -> '-> '-> 'a option) -> 'a t -> 'a t -> 'a t
  val compare : ('-> '-> int) -> 'a t -> 'a t -> int
  val equal : ('-> '-> bool) -> 'a t -> 'a t -> bool
  val iter : (key -> '-> unit) -> 'a t -> unit
  val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
  val for_all : (key -> '-> bool) -> 'a t -> bool
  val exists : (key -> '-> bool) -> 'a t -> bool
  val filter : (key -> '-> bool) -> 'a t -> 'a t
  val partition : (key -> '-> bool) -> 'a t -> 'a t * 'a t
  val cardinal : 'a t -> int
  val bindings : 'a t -> (key * 'a) list
  val min_binding : 'a t -> key * 'a
  val min_binding_opt : 'a t -> (key * 'a) option
  val max_binding : 'a t -> key * 'a
  val max_binding_opt : 'a t -> (key * 'a) option
  val choose : 'a t -> key * 'a
  val choose_opt : 'a t -> (key * 'a) option
  val split : key -> 'a t -> 'a t * 'a option * 'a t
  val find : key -> 'a t -> 'a
  val find_opt : key -> 'a t -> 'a option
  val find_first : (key -> bool) -> 'a t -> key * 'a
  val find_first_opt : (key -> bool) -> 'a t -> (key * 'a) option
  val find_last : (key -> bool) -> 'a t -> key * 'a
  val find_last_opt : (key -> bool) -> 'a t -> (key * 'a) option
  val map : ('-> 'b) -> 'a t -> 'b t
  val mapi : (key -> '-> 'b) -> 'a t -> 'b t
  val filter_map :
    'Identifiable.S.t -> f:(key -> '-> 'b option) -> 'Identifiable.S.t
  val of_list : (key * 'a) list -> 'Identifiable.S.t
  val disjoint_union :
    ?eq:('-> '-> bool) ->
    ?print:(Format.formatter -> '-> unit) ->
    'Identifiable.S.t -> 'Identifiable.S.t -> 'Identifiable.S.t
  val union_right :
    'Identifiable.S.t -> 'Identifiable.S.t -> 'Identifiable.S.t
  val union_left :
    'Identifiable.S.t -> 'Identifiable.S.t -> 'Identifiable.S.t
  val union_merge :
    ('-> '-> 'a) ->
    'Identifiable.S.t -> 'Identifiable.S.t -> 'Identifiable.S.t
  val rename : key Identifiable.S.t -> key -> key
  val map_keys : (key -> key) -> 'Identifiable.S.t -> 'Identifiable.S.t
  val keys : 'Identifiable.S.t -> Identifiable.S.Set.t
  val data : 'Identifiable.S.t -> 'a list
  val of_set : (key -> 'a) -> Identifiable.S.Set.t -> 'Identifiable.S.t
  val transpose_keys_and_data : key Identifiable.S.t -> key Identifiable.S.t
  val transpose_keys_and_data_set :
    key Identifiable.S.t -> Identifiable.S.Set.t Identifiable.S.t
  val print :
    (Format.formatter -> '-> unit) ->
    Format.formatter -> 'Identifiable.S.t -> unit
end
ocaml-doc-4.05/ocaml.html/libref/type_Ast_helper.Typ.html0000644000175000017500000003562413131636441022343 0ustar mehdimehdi Ast_helper.Typ sig
  val mk :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Parsetree.core_type_desc -> Parsetree.core_type
  val attr :
    Parsetree.core_type -> Parsetree.attribute -> Parsetree.core_type
  val any :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs -> unit -> Parsetree.core_type
  val var :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs -> string -> Parsetree.core_type
  val arrow :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Asttypes.arg_label ->
    Parsetree.core_type -> Parsetree.core_type -> Parsetree.core_type
  val tuple :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Parsetree.core_type list -> Parsetree.core_type
  val constr :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Ast_helper.lid -> Parsetree.core_type list -> Parsetree.core_type
  val object_ :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    (Ast_helper.str * Parsetree.attributes * Parsetree.core_type) list ->
    Asttypes.closed_flag -> Parsetree.core_type
  val class_ :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Ast_helper.lid -> Parsetree.core_type list -> Parsetree.core_type
  val alias :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Parsetree.core_type -> string -> Parsetree.core_type
  val variant :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Parsetree.row_field list ->
    Asttypes.closed_flag -> Asttypes.label list option -> Parsetree.core_type
  val poly :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Ast_helper.str list -> Parsetree.core_type -> Parsetree.core_type
  val package :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Ast_helper.lid ->
    (Ast_helper.lid * Parsetree.core_type) list -> Parsetree.core_type
  val extension :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs -> Parsetree.extension -> Parsetree.core_type
  val force_poly : Parsetree.core_type -> Parsetree.core_type
  val varify_constructors :
    Ast_helper.str list -> Parsetree.core_type -> Parsetree.core_type
end
ocaml-doc-4.05/ocaml.html/libref/Obj.html0000644000175000017500000003431313131636447017153 0ustar mehdimehdi Obj

Module Obj

module Obj: sig .. end
Operations on internal representations of values.

Not for the casual user.


type t 
val repr : 'a -> t
val obj : t -> 'a
val magic : 'a -> 'b
val is_block : t -> bool
val is_int : t -> bool
val tag : t -> int
val size : t -> int
val reachable_words : t -> int
Computes the total size (in words, including the headers) of all heap blocks accessible from the argument. Statically allocated blocks are excluded.

@Since 4.04

val field : t -> int -> t
val set_field : t -> int -> t -> unit
When using flambda:

set_field MUST NOT be called on immutable blocks. (Blocks allocated in C stubs, or with new_block below, are always considered mutable.)

The same goes for set_double_field and set_tag. However, for set_tag, in the case of immutable blocks where the middle-end optimizers never see code that discriminates on their tag (for example records), the operation should be safe. Such uses are nonetheless discouraged.

For experts only: set_field et al can be made safe by first wrapping the block in Sys.opaque_identity, so any information about its contents will not be propagated.

val set_tag : t -> int -> unit
val double_field : t -> int -> float
val set_double_field : t -> int -> float -> unit
val new_block : int -> int -> t
val dup : t -> t
val truncate : t -> int -> unit
val add_offset : t -> Int32.t -> t
val first_non_constant_constructor_tag : int
val last_non_constant_constructor_tag : int
val lazy_tag : int
val closure_tag : int
val object_tag : int
val infix_tag : int
val forward_tag : int
val no_scan_tag : int
val abstract_tag : int
val string_tag : int
val double_tag : int
val double_array_tag : int
val custom_tag : int
val final_tag : int
val int_tag : int
val out_of_heap_tag : int
val unaligned_tag : int
val extension_constructor : 'a -> extension_constructor
val extension_name : extension_constructor -> string
val extension_id : extension_constructor -> int

The following two functions are deprecated. Use module Marshal instead.
val marshal : t -> bytes
val unmarshal : bytes -> int -> t * int
module Ephemeron: sig .. end
ocaml-doc-4.05/ocaml.html/libref/type_StdLabels.Array.html0000644000175000017500000001470313131636450022427 0ustar mehdimehdi StdLabels.Array (module ArrayLabels)ocaml-doc-4.05/ocaml.html/libref/Strongly_connected_components.S.Id.html0000644000175000017500000002003013131636451025267 0ustar mehdimehdi Strongly_connected_components.S.Id

Module Strongly_connected_components.S.Id

module Id: Identifiable.S 

type t 
module T: Identifiable.Thing  with type t = t
include Identifiable.Thing
module Set: sig .. end
module Map: sig .. end
module Tbl: sig .. end
ocaml-doc-4.05/ocaml.html/libref/type_MoreLabels.Set.Make.html0000644000175000017500000003336513131636446023142 0ustar mehdimehdi MoreLabels.Set.Make functor (Ord : OrderedType->
  sig
    type elt = Ord.t
    and t
    val empty : t
    val is_empty : t -> bool
    val mem : elt -> t -> bool
    val add : elt -> t -> t
    val singleton : elt -> t
    val remove : elt -> t -> t
    val union : t -> t -> t
    val inter : t -> t -> t
    val diff : t -> t -> t
    val compare : t -> t -> int
    val equal : t -> t -> bool
    val subset : t -> t -> bool
    val iter : f:(elt -> unit) -> t -> unit
    val map : f:(elt -> elt) -> t -> t
    val fold : f:(elt -> '-> 'a) -> t -> init:'-> 'a
    val for_all : f:(elt -> bool) -> t -> bool
    val exists : f:(elt -> bool) -> t -> bool
    val filter : f:(elt -> bool) -> t -> t
    val partition : f:(elt -> bool) -> t -> t * t
    val cardinal : t -> int
    val elements : t -> elt list
    val min_elt : t -> elt
    val min_elt_opt : t -> elt option
    val max_elt : t -> elt
    val max_elt_opt : t -> elt option
    val choose : t -> elt
    val choose_opt : t -> elt option
    val split : elt -> t -> t * bool * t
    val find : elt -> t -> elt
    val find_opt : elt -> t -> elt option
    val find_first : f:(elt -> bool) -> t -> elt
    val find_first_opt : f:(elt -> bool) -> t -> elt option
    val find_last : f:(elt -> bool) -> t -> elt
    val find_last_opt : f:(elt -> bool) -> t -> elt option
    val of_list : elt list -> t
  end
ocaml-doc-4.05/ocaml.html/libref/Buffer.html0000644000175000017500000004335413131636442017652 0ustar mehdimehdi Buffer

Module Buffer

module Buffer: sig .. end
Extensible buffers.

This module implements buffers that automatically expand as necessary. It provides accumulative concatenation of strings in quasi-linear time (instead of quadratic time when strings are concatenated pairwise).


type t 
The abstract type of buffers.
val create : int -> t
create n returns a fresh buffer, initially empty. The n parameter is the initial size of the internal byte sequence that holds the buffer contents. That byte sequence is automatically reallocated when more than n characters are stored in the buffer, but shrinks back to n characters when reset is called. For best performance, n should be of the same order of magnitude as the number of characters that are expected to be stored in the buffer (for instance, 80 for a buffer that holds one output line). Nothing bad will happen if the buffer grows beyond that limit, however. In doubt, take n = 16 for instance. If n is not between 1 and Sys.max_string_length, it will be clipped to that interval.
val contents : t -> string
Return a copy of the current contents of the buffer. The buffer itself is unchanged.
val to_bytes : t -> bytes
Return a copy of the current contents of the buffer. The buffer itself is unchanged.
Since 4.02
val sub : t -> int -> int -> string
Buffer.sub b off len returns a copy of len bytes from the current contents of the buffer b, starting at offset off.

Raise Invalid_argument if srcoff and len do not designate a valid range of b.

val blit : t -> int -> bytes -> int -> int -> unit
Buffer.blit src srcoff dst dstoff len copies len characters from the current contents of the buffer src, starting at offset srcoff to dst, starting at character dstoff.

Raise Invalid_argument if srcoff and len do not designate a valid range of src, or if dstoff and len do not designate a valid range of dst.
Since 3.11.2

val nth : t -> int -> char
Get the n-th character of the buffer. Raise Invalid_argument if index out of bounds
val length : t -> int
Return the number of characters currently contained in the buffer.
val clear : t -> unit
Empty the buffer.
val reset : t -> unit
Empty the buffer and deallocate the internal byte sequence holding the buffer contents, replacing it with the initial internal byte sequence of length n that was allocated by Buffer.create n. For long-lived buffers that may have grown a lot, reset allows faster reclamation of the space used by the buffer.
val add_char : t -> char -> unit
add_char b c appends the character c at the end of buffer b.
val add_string : t -> string -> unit
add_string b s appends the string s at the end of buffer b.
val add_bytes : t -> bytes -> unit
add_bytes b s appends the byte sequence s at the end of buffer b.
Since 4.02
val add_substring : t -> string -> int -> int -> unit
add_substring b s ofs len takes len characters from offset ofs in string s and appends them at the end of buffer b.
val add_subbytes : t -> bytes -> int -> int -> unit
add_subbytes b s ofs len takes len characters from offset ofs in byte sequence s and appends them at the end of buffer b.
Since 4.02
val add_substitute : t -> (string -> string) -> string -> unit
add_substitute b f s appends the string pattern s at the end of buffer b with substitution. The substitution process looks for variables into the pattern and substitutes each variable name by its value, as obtained by applying the mapping f to the variable name. Inside the string pattern, a variable name immediately follows a non-escaped $ character and is one of the following:
val add_buffer : t -> t -> unit
add_buffer b1 b2 appends the current contents of buffer b2 at the end of buffer b1. b2 is not modified.
val add_channel : t -> in_channel -> int -> unit
add_channel b ic n reads at most n characters from the input channel ic and stores them at the end of buffer b. Raise End_of_file if the channel contains fewer than n characters. In this case, the characters are still added to the buffer, so as to avoid loss of data.
val output_buffer : out_channel -> t -> unit
output_buffer oc b writes the current contents of buffer b on the output channel oc.
val truncate : t -> int -> unit
truncate b len truncates the length of b to len Note: the internal byte sequence is not shortened. Raise Invalid_argument if len < 0 or len > length b.
Since 4.05.0
ocaml-doc-4.05/ocaml.html/libref/StdLabels.Array.html0000644000175000017500000007030613131636450021367 0ustar mehdimehdi StdLabels.Array

Module StdLabels.Array

module Array: ArrayLabels

val length : 'a array -> int
Return the length (number of elements) of the given array.
val get : 'a array -> int -> 'a
Array.get a n returns the element number n of array a. The first element has number 0. The last element has number Array.length a - 1. You can also write a.(n) instead of Array.get a n.

Raise Invalid_argument "index out of bounds" if n is outside the range 0 to (Array.length a - 1).

val set : 'a array -> int -> 'a -> unit
Array.set a n x modifies array a in place, replacing element number n with x. You can also write a.(n) <- x instead of Array.set a n x.

Raise Invalid_argument "index out of bounds" if n is outside the range 0 to Array.length a - 1.

val make : int -> 'a -> 'a array
Array.make n x returns a fresh array of length n, initialized with x. All the elements of this new array are initially physically equal to x (in the sense of the == predicate). Consequently, if x is mutable, it is shared among all elements of the array, and modifying x through one of the array entries will modify all other entries at the same time.

Raise Invalid_argument if n < 0 or n > Sys.max_array_length. If the value of x is a floating-point number, then the maximum size is only Sys.max_array_length / 2.

val create : int -> 'a -> 'a array
Deprecated.Array.create is an alias for Array.make.
val init : int -> f:(int -> 'a) -> 'a array
Array.init n f returns a fresh array of length n, with element number i initialized to the result of f i. In other terms, Array.init n f tabulates the results of f applied to the integers 0 to n-1.

Raise Invalid_argument if n < 0 or n > Sys.max_array_length. If the return type of f is float, then the maximum size is only Sys.max_array_length / 2.

val make_matrix : dimx:int -> dimy:int -> 'a -> 'a array array
Array.make_matrix dimx dimy e returns a two-dimensional array (an array of arrays) with first dimension dimx and second dimension dimy. All the elements of this new matrix are initially physically equal to e. The element (x,y) of a matrix m is accessed with the notation m.(x).(y).

Raise Invalid_argument if dimx or dimy is negative or greater than Sys.max_array_length. If the value of e is a floating-point number, then the maximum size is only Sys.max_array_length / 2.

val create_matrix : dimx:int -> dimy:int -> 'a -> 'a array array
Deprecated.Array.create_matrix is an alias for Array.make_matrix.
val append : 'a array -> 'a array -> 'a array
Array.append v1 v2 returns a fresh array containing the concatenation of the arrays v1 and v2.
val concat : 'a array list -> 'a array
Same as Array.append, but concatenates a list of arrays.
val sub : 'a array -> pos:int -> len:int -> 'a array
Array.sub a start len returns a fresh array of length len, containing the elements number start to start + len - 1 of array a.

Raise Invalid_argument "Array.sub" if start and len do not designate a valid subarray of a; that is, if start < 0, or len < 0, or start + len > Array.length a.

val copy : 'a array -> 'a array
Array.copy a returns a copy of a, that is, a fresh array containing the same elements as a.
val fill : 'a array -> pos:int -> len:int -> 'a -> unit
Array.fill a ofs len x modifies the array a in place, storing x in elements number ofs to ofs + len - 1.

Raise Invalid_argument "Array.fill" if ofs and len do not designate a valid subarray of a.

val blit : src:'a array -> src_pos:int -> dst:'a array -> dst_pos:int -> len:int -> unit
Array.blit v1 o1 v2 o2 len copies len elements from array v1, starting at element number o1, to array v2, starting at element number o2. It works correctly even if v1 and v2 are the same array, and the source and destination chunks overlap.

Raise Invalid_argument "Array.blit" if o1 and len do not designate a valid subarray of v1, or if o2 and len do not designate a valid subarray of v2.

val to_list : 'a array -> 'a list
Array.to_list a returns the list of all the elements of a.
val of_list : 'a list -> 'a array
Array.of_list l returns a fresh array containing the elements of l.
val iter : f:('a -> unit) -> 'a array -> unit
Array.iter f a applies function f in turn to all the elements of a. It is equivalent to f a.(0); f a.(1); ...; f a.(Array.length a - 1); ().
val map : f:('a -> 'b) -> 'a array -> 'b array
Array.map f a applies function f to all the elements of a, and builds an array with the results returned by f: [| f a.(0); f a.(1); ...; f a.(Array.length a - 1) |].
val iteri : f:(int -> 'a -> unit) -> 'a array -> unit
Same as Array.iter, but the function is applied to the index of the element as first argument, and the element itself as second argument.
val mapi : f:(int -> 'a -> 'b) -> 'a array -> 'b array
Same as Array.map, but the function is applied to the index of the element as first argument, and the element itself as second argument.
val fold_left : f:('a -> 'b -> 'a) -> init:'a -> 'b array -> 'a
Array.fold_left f x a computes f (... (f (f x a.(0)) a.(1)) ...) a.(n-1), where n is the length of the array a.
val fold_right : f:('b -> 'a -> 'a) -> 'b array -> init:'a -> 'a
Array.fold_right f a x computes f a.(0) (f a.(1) ( ... (f a.(n-1) x) ...)), where n is the length of the array a.

Iterators on two arrays

val iter2 : f:('a -> 'b -> unit) -> 'a array -> 'b array -> unit
Array.iter2 f a b applies function f to all the elements of a and b. Raise Invalid_argument if the arrays are not the same size.
Since 4.05.0
val map2 : f:('a -> 'b -> 'c) -> 'a array -> 'b array -> 'c array
Array.map2 f a b applies function f to all the elements of a and b, and builds an array with the results returned by f: [| f a.(0) b.(0); ...; f a.(Array.length a - 1) b.(Array.length b - 1)|]. Raise Invalid_argument if the arrays are not the same size.
Since 4.05.0

Array scanning

val exists : f:('a -> bool) -> 'a array -> bool
Array.exists p [|a1; ...; an|] checks if at least one element of the array satisfies the predicate p. That is, it returns (p a1) || (p a2) || ... || (p an).
Since 4.03.0
val for_all : f:('a -> bool) -> 'a array -> bool
Array.for_all p [|a1; ...; an|] checks if all elements of the array satisfy the predicate p. That is, it returns (p a1) && (p a2) && ... && (p an).
Since 4.03.0
val mem : 'a -> set:'a array -> bool
mem x a is true if and only if x is equal to an element of a.
Since 4.03.0
val memq : 'a -> set:'a array -> bool
Same as Array.mem, but uses physical equality instead of structural equality to compare list elements.
Since 4.03.0
val create_float : int -> float array
Array.create_float n returns a fresh float array of length n, with uninitialized data.
Since 4.03
val make_float : int -> float array
Deprecated.Array.make_float is an alias for Array.create_float.

Sorting

val sort : cmp:('a -> 'a -> int) -> 'a array -> unit
Sort an array in increasing order according to a comparison function. The comparison function must return 0 if its arguments compare as equal, a positive integer if the first is greater, and a negative integer if the first is smaller (see below for a complete specification). For example, compare is a suitable comparison function, provided there are no floating-point NaN values in the data. After calling Array.sort, the array is sorted in place in increasing order. Array.sort is guaranteed to run in constant heap space and (at most) logarithmic stack space.

The current implementation uses Heap Sort. It runs in constant stack space.

Specification of the comparison function: Let a be the array and cmp the comparison function. The following must be true for all x, y, z in a :

When Array.sort returns, a contains the same elements as before, reordered in such a way that for all i and j valid indices of a :
val stable_sort : cmp:('a -> 'a -> int) -> 'a array -> unit
Same as Array.sort, but the sorting algorithm is stable (i.e. elements that compare equal are kept in their original order) and not guaranteed to run in constant heap space.

The current implementation uses Merge Sort. It uses n/2 words of heap space, where n is the length of the array. It is usually faster than the current implementation of Array.sort.

val fast_sort : cmp:('a -> 'a -> int) -> 'a array -> unit
Same as Array.sort or Array.stable_sort, whichever is faster on typical input.
ocaml-doc-4.05/ocaml.html/libref/type_Gc.html0000644000175000017500000003175213131636444020034 0ustar mehdimehdi Gc sig
  type stat = {
    minor_words : float;
    promoted_words : float;
    major_words : float;
    minor_collections : int;
    major_collections : int;
    heap_words : int;
    heap_chunks : int;
    live_words : int;
    live_blocks : int;
    free_words : int;
    free_blocks : int;
    largest_free : int;
    fragments : int;
    compactions : int;
    top_heap_words : int;
    stack_size : int;
  }
  type control = {
    mutable minor_heap_size : int;
    mutable major_heap_increment : int;
    mutable space_overhead : int;
    mutable verbose : int;
    mutable max_overhead : int;
    mutable stack_limit : int;
    mutable allocation_policy : int;
    window_size : int;
  }
  external stat : unit -> Gc.stat = "caml_gc_stat"
  external quick_stat : unit -> Gc.stat = "caml_gc_quick_stat"
  external counters : unit -> float * float * float = "caml_gc_counters"
  external minor_words : unit -> (float [@unboxed]) = "caml_gc_minor_words"
    "caml_gc_minor_words_unboxed"
  external get : unit -> Gc.control = "caml_gc_get"
  external set : Gc.control -> unit = "caml_gc_set"
  external minor : unit -> unit = "caml_gc_minor"
  external major_slice : int -> int = "caml_gc_major_slice"
  external major : unit -> unit = "caml_gc_major"
  external full_major : unit -> unit = "caml_gc_full_major"
  external compact : unit -> unit = "caml_gc_compaction"
  val print_stat : Pervasives.out_channel -> unit
  val allocated_bytes : unit -> float
  external get_minor_free : unit -> int = "caml_get_minor_free"
  external get_bucket : int -> int = "caml_get_major_bucket" [@@noalloc]
  external get_credit : unit -> int = "caml_get_major_credit" [@@noalloc]
  external huge_fallback_count : unit -> int = "caml_gc_huge_fallback_count"
  val finalise : ('-> unit) -> '-> unit
  val finalise_last : (unit -> unit) -> '-> unit
  val finalise_release : unit -> unit
  type alarm
  val create_alarm : (unit -> unit) -> Gc.alarm
  val delete_alarm : Gc.alarm -> unit
end
ocaml-doc-4.05/ocaml.html/libref/Filename.html0000644000175000017500000004475313131636444020167 0ustar mehdimehdi Filename

Module Filename

module Filename: sig .. end
Operations on file names.

val current_dir_name : string
The conventional name for the current directory (e.g. . in Unix).
val parent_dir_name : string
The conventional name for the parent of the current directory (e.g. .. in Unix).
val dir_sep : string
The directory separator (e.g. / in Unix).
Since 3.11.2
val concat : string -> string -> string
concat dir file returns a file name that designates file file in directory dir.
val is_relative : string -> bool
Return true if the file name is relative to the current directory, false if it is absolute (i.e. in Unix, starts with /).
val is_implicit : string -> bool
Return true if the file name is relative and does not start with an explicit reference to the current directory (./ or ../ in Unix), false if it starts with an explicit reference to the root directory or the current directory.
val check_suffix : string -> string -> bool
check_suffix name suff returns true if the filename name ends with the suffix suff.
val chop_suffix : string -> string -> string
chop_suffix name suff removes the suffix suff from the filename name. The behavior is undefined if name does not end with the suffix suff.
val extension : string -> string
extension name is the shortest suffix ext of name0 where:

If such a suffix does not exist, extension name is the empty string.
Since 4.04
val remove_extension : string -> string
Return the given file name without its extension, as defined in Filename.extension. If the extension is empty, the function returns the given file name.

The following invariant holds for any file name s:

remove_extension s ^ extension s = s
Since 4.04

val chop_extension : string -> string
Same as Filename.remove_extension, but raise Invalid_argument if the given name has an empty extension.
val basename : string -> string
Split a file name into directory name / base file name. If name is a valid file name, then concat (dirname name) (basename name) returns a file name which is equivalent to name. Moreover, after setting the current directory to dirname name (with Sys.chdir), references to basename name (which is a relative file name) designate the same file as name before the call to Sys.chdir.

This function conforms to the specification of POSIX.1-2008 for the basename utility.

val dirname : string -> string
See Filename.basename. This function conforms to the specification of POSIX.1-2008 for the dirname utility.
val temp_file : ?temp_dir:string -> string -> string -> string
temp_file prefix suffix returns the name of a fresh temporary file in the temporary directory. The base name of the temporary file is formed by concatenating prefix, then a suitably chosen integer number, then suffix. The optional argument temp_dir indicates the temporary directory to use, defaulting to the current result of Filename.get_temp_dir_name. The temporary file is created empty, with permissions 0o600 (readable and writable only by the file owner). The file is guaranteed to be different from any other file that existed when temp_file was called. Raise Sys_error if the file could not be created.
Before 3.11.2 no ?temp_dir optional argument
val open_temp_file : ?mode:open_flag list ->
?perms:int ->
?temp_dir:string -> string -> string -> string * out_channel
Same as Filename.temp_file, but returns both the name of a fresh temporary file, and an output channel opened (atomically) on this file. This function is more secure than temp_file: there is no risk that the temporary file will be modified (e.g. replaced by a symbolic link) before the program opens it. The optional argument mode is a list of additional flags to control the opening of the file. It can contain one or several of Open_append, Open_binary, and Open_text. The default is [Open_text] (open in text mode). The file is created with permissions perms (defaults to readable and writable only by the file owner, 0o600).
Before 4.03.0 no ?perms optional argument
Before 3.11.2 no ?temp_dir optional argument
Raises Sys_error if the file could not be opened.
val get_temp_dir_name : unit -> string
The name of the temporary directory: Under Unix, the value of the TMPDIR environment variable, or "/tmp" if the variable is not set. Under Windows, the value of the TEMP environment variable, or "." if the variable is not set. The temporary directory can be changed with Filename.set_temp_dir_name.
Since 4.00.0
val set_temp_dir_name : string -> unit
Change the temporary directory returned by Filename.get_temp_dir_name and used by Filename.temp_file and Filename.open_temp_file.
Since 4.00.0
val temp_dir_name : string
Deprecated.You should use Filename.get_temp_dir_name instead.
The name of the initial temporary directory: Under Unix, the value of the TMPDIR environment variable, or "/tmp" if the variable is not set. Under Windows, the value of the TEMP environment variable, or "." if the variable is not set.
Since 3.09.1
val quote : string -> string
Return a quoted version of a file name, suitable for use as one argument in a command line, escaping all meta-characters. Warning: under Windows, the output is only suitable for use with programs that follow the standard Windows quoting conventions.
ocaml-doc-4.05/ocaml.html/libref/Ephemeron.K1.html0000644000175000017500000004305613131636443020635 0ustar mehdimehdi Ephemeron.K1

Module Ephemeron.K1

module K1: sig .. end

type ('k, 'd) t 
an ephemeron with one key
val create : unit -> ('k, 'd) t
Ephemeron.K1.create () creates an ephemeron with one key. The data and the key are empty
val get_key : ('k, 'd) t -> 'k option
Ephemeron.K1.get_key eph returns None if the key of eph is empty, Some x (where x is the key) if it is full.
val get_key_copy : ('k, 'd) t -> 'k option
Ephemeron.K1.get_key_copy eph returns None if the key of eph is empty, Some x (where x is a (shallow) copy of the key) if it is full. This function has the same GC friendliness as Weak.get_copy

If the element is a custom block it is not copied.

val set_key : ('k, 'd) t -> 'k -> unit
Ephemeron.K1.set_key eph el sets the key of eph to be a (full) key to el
val unset_key : ('k, 'd) t -> unit
Ephemeron.K1.unset_key eph el sets the key of eph to be an empty key. Since there is only one key, the ephemeron starts behaving like a reference on the data.
val check_key : ('k, 'd) t -> bool
Ephemeron.K1.check_key eph returns true if the key of the eph is full, false if it is empty. Note that even if Ephemeron.K1.check_key eph returns true, a subsequent Ephemeron.K1.get_keyeph can return None.
val blit_key : ('k, 'a) t -> ('k, 'b) t -> unit
Ephemeron.K1.blit_key eph1 eph2 sets the key of eph2 with the key of eph1. Contrary to using Ephemeron.K1.get_key followed by Ephemeron.K1.set_key or Ephemeron.K1.unset_key this function does not prevent the incremental GC from erasing the value in its current cycle.
val get_data : ('k, 'd) t -> 'd option
Ephemeron.K1.get_data eph returns None if the data of eph is empty, Some x (where x is the data) if it is full.
val get_data_copy : ('k, 'd) t -> 'd option
Ephemeron.K1.get_data_copy eph returns None if the data of eph is empty, Some x (where x is a (shallow) copy of the data) if it is full. This function has the same GC friendliness as Weak.get_copy

If the element is a custom block it is not copied.

val set_data : ('k, 'd) t -> 'd -> unit
Ephemeron.K1.set_data eph el sets the data of eph to be a (full) data to el
val unset_data : ('k, 'd) t -> unit
Ephemeron.K1.unset_data eph el sets the key of eph to be an empty key. The ephemeron starts behaving like a weak pointer.
val check_data : ('k, 'd) t -> bool
Ephemeron.K1.check_data eph returns true if the data of the eph is full, false if it is empty. Note that even if Ephemeron.K1.check_data eph returns true, a subsequent Ephemeron.K1.get_dataeph can return None.
val blit_data : ('a, 'd) t -> ('b, 'd) t -> unit
Ephemeron.K1.blit_data eph1 eph2 sets the data of eph2 with the data of eph1. Contrary to using Ephemeron.K1.get_data followed by Ephemeron.K1.set_data or Ephemeron.K1.unset_data this function does not prevent the incremental GC from erasing the value in its current cycle.
module Make: 
functor (H : Hashtbl.HashedType-> Ephemeron.S with type key = H.t
Functor building an implementation of a weak hash table
module MakeSeeded: 
functor (H : Hashtbl.SeededHashedType-> Ephemeron.SeededS with type key = H.t
Functor building an implementation of a weak hash table.
ocaml-doc-4.05/ocaml.html/libref/Ast_helper.Cty.html0000644000175000017500000002277113131636441021264 0ustar mehdimehdi Ast_helper.Cty

Module Ast_helper.Cty

module Cty: sig .. end
Class type expressions

val mk : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs -> Parsetree.class_type_desc -> Parsetree.class_type
val attr : Parsetree.class_type -> Parsetree.attribute -> Parsetree.class_type
val constr : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Ast_helper.lid -> Parsetree.core_type list -> Parsetree.class_type
val signature : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs -> Parsetree.class_signature -> Parsetree.class_type
val arrow : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Asttypes.arg_label ->
Parsetree.core_type -> Parsetree.class_type -> Parsetree.class_type
val extension : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs -> Parsetree.extension -> Parsetree.class_type
ocaml-doc-4.05/ocaml.html/libref/type_Genlex.html0000644000175000017500000001727713131636444020733 0ustar mehdimehdi Genlex sig
  type token =
      Kwd of string
    | Ident of string
    | Int of int
    | Float of float
    | String of string
    | Char of char
  val make_lexer : string list -> char Stream.t -> Genlex.token Stream.t
end
ocaml-doc-4.05/ocaml.html/libref/Targetint.html0000644000175000017500000005456213131636451020405 0ustar mehdimehdi Targetint

Module Targetint

module Targetint: sig .. end
Target processor-native integers.

This module provides operations on the type of signed 32-bit integers (on 32-bit target platforms) or signed 64-bit integers (on 64-bit target platforms). This integer type has exactly the same width as that of a pointer type in the C compiler. All arithmetic operations over are taken modulo 232 or 264 depending on the word size of the target architecture.


type t 
The type of target integers.
val zero : t
The target integer 0.
val one : t
The target integer 1.
val minus_one : t
The target integer -1.
val neg : t -> t
Unary negation.
val add : t -> t -> t
Addition.
val sub : t -> t -> t
Subtraction.
val mul : t -> t -> t
Multiplication.
val div : t -> t -> t
Integer division. Raise Division_by_zero if the second argument is zero. This division rounds the real quotient of its arguments towards zero, as specified for (/).
val rem : t -> t -> t
Integer remainder. If y is not zero, the result of Targetint.rem x y satisfies the following properties: Targetint.zero <= Nativeint.rem x y < Targetint.abs y and x = Targetint.add (Targetint.mul (Targetint.div x y) y)
                      (Targetint.rem x y)
. If y = 0, Targetint.rem x y raises Division_by_zero.
val succ : t -> t
Successor. Targetint.succ x is Targetint.add x Targetint.one.
val pred : t -> t
Predecessor. Targetint.pred x is Targetint.sub x Targetint.one.
val abs : t -> t
Return the absolute value of its argument.
val size : int
The size in bits of a target native integer.
val max_int : t
The greatest representable target integer, either 231 - 1 on a 32-bit platform, or 263 - 1 on a 64-bit platform.
val min_int : t
The smallest representable target integer, either -231 on a 32-bit platform, or -263 on a 64-bit platform.
val logand : t -> t -> t
Bitwise logical and.
val logor : t -> t -> t
Bitwise logical or.
val logxor : t -> t -> t
Bitwise logical exclusive or.
val lognot : t -> t
Bitwise logical negation
val shift_left : t -> int -> t
Targetint.shift_left x y shifts x to the left by y bits. The result is unspecified if y < 0 or y >= bitsize, where bitsize is 32 on a 32-bit platform and 64 on a 64-bit platform.
val shift_right : t -> int -> t
Targetint.shift_right x y shifts x to the right by y bits. This is an arithmetic shift: the sign bit of x is replicated and inserted in the vacated bits. The result is unspecified if y < 0 or y >= bitsize.
val shift_right_logical : t -> int -> t
Targetint.shift_right_logical x y shifts x to the right by y bits. This is a logical shift: zeroes are inserted in the vacated bits regardless of the sign of x. The result is unspecified if y < 0 or y >= bitsize.
val of_int : int -> t
Convert the given integer (type int) to a target integer (type t), module the target word size.
val of_int_exn : int -> t
Convert the given integer (type int) to a target integer (type t). Raises a fatal error if the conversion is not exact.
val to_int : t -> int
Convert the given target integer (type t) to an integer (type int). The high-order bit is lost during the conversion.
val of_float : float -> t
Convert the given floating-point number to a target integer, discarding the fractional part (truncate towards 0). The result of the conversion is undefined if, after truncation, the number is outside the range [Targetint.min_int, Targetint.max_int].
val to_float : t -> float
Convert the given target integer to a floating-point number.
val of_int32 : int32 -> t
Convert the given 32-bit integer (type int32) to a target integer.
val to_int32 : t -> int32
Convert the given target integer to a 32-bit integer (type int32). On 64-bit platforms, the 64-bit native integer is taken modulo 232, i.e. the top 32 bits are lost. On 32-bit platforms, the conversion is exact.
val of_int64 : int64 -> t
Convert the given 64-bit integer (type int64) to a target integer.
val to_int64 : t -> int64
Convert the given target integer to a 64-bit integer (type int64).
val of_string : string -> t
Convert the given string to a target integer. The string is read in decimal (by default) or in hexadecimal, octal or binary if the string begins with 0x, 0o or 0b respectively. Raise Failure "int_of_string" if the given string is not a valid representation of an integer, or if the integer represented exceeds the range of integers representable in type nativeint.
val to_string : t -> string
Return the string representation of its argument, in decimal.
val compare : t -> t -> int
The comparison function for target integers, with the same specification as compare. Along with the type t, this function compare allows the module Targetint to be passed as argument to the functors Set.Make and Map.Make.
val equal : t -> t -> bool
The equal function for target ints.
type repr = 
| Int32 of int32
| Int64 of int64
val repr : t -> repr
The concrete representation of a native integer.
ocaml-doc-4.05/ocaml.html/libref/Scanf.Scanning.html0000644000175000017500000004240313131636450021223 0ustar mehdimehdi Scanf.Scanning

Module Scanf.Scanning

module Scanning: sig .. end

type in_channel 
The notion of input channel for the Scanf module: those channels provide all the machinery necessary to read from any source of characters, including a in_channel value. A Scanf.Scanning.in_channel value is also called a formatted input channel or equivalently a scanning buffer. The type Scanf.Scanning.scanbuf below is an alias for Scanning.in_channel.
Since 3.12.0
type scanbuf = in_channel 
The type of scanning buffers. A scanning buffer is the source from which a formatted input function gets characters. The scanning buffer holds the current state of the scan, plus a function to get the next char from the input, and a token buffer to store the string matched so far.

Note: a scanning action may often require to examine one character in advance; when this 'lookahead' character does not belong to the token read, it is stored back in the scanning buffer and becomes the next character yet to be read.

val stdin : in_channel
The standard input notion for the Scanf module. Scanning.stdin is the Scanf.Scanning.in_channel formatted input channel attached to stdin.

Note: in the interactive system, when input is read from stdin, the newline character that triggers evaluation is part of the input; thus, the scanning specifications must properly skip this additional newline character (for instance, simply add a '\n' as the last character of the format string).
Since 3.12.0

type file_name = string 
A convenient alias to designate a file name.
Since 4.00.0
val open_in : file_name -> in_channel
Scanning.open_in fname returns a Scanf.Scanning.in_channel formatted input channel for bufferized reading in text mode from file fname.

Note: open_in returns a formatted input channel that efficiently reads characters in large chunks; in contrast, from_channel below returns formatted input channels that must read one character at a time, leading to a much slower scanning rate.
Since 3.12.0

val open_in_bin : file_name -> in_channel
Scanning.open_in_bin fname returns a Scanf.Scanning.in_channel formatted input channel for bufferized reading in binary mode from file fname.
Since 3.12.0
val close_in : in_channel -> unit
Closes the in_channel associated with the given Scanf.Scanning.in_channel formatted input channel.
Since 3.12.0
val from_file : file_name -> in_channel
An alias for Scanf.Scanning.open_in above.
val from_file_bin : string -> in_channel
An alias for Scanf.Scanning.open_in_bin above.
val from_string : string -> in_channel
Scanning.from_string s returns a Scanf.Scanning.in_channel formatted input channel which reads from the given string. Reading starts from the first character in the string. The end-of-input condition is set when the end of the string is reached.
val from_function : (unit -> char) -> in_channel
Scanning.from_function f returns a Scanf.Scanning.in_channel formatted input channel with the given function as its reading method.

When scanning needs one more character, the given function is called.

When the function has no more character to provide, it must signal an end-of-input condition by raising the exception End_of_file.

val from_channel : in_channel -> in_channel
Scanning.from_channel ic returns a Scanf.Scanning.in_channel formatted input channel which reads from the regular in_channel input channel ic argument. Reading starts at current reading position of ic.
val end_of_input : in_channel -> bool
Scanning.end_of_input ic tests the end-of-input condition of the given Scanf.Scanning.in_channel formatted input channel.
val beginning_of_input : in_channel -> bool
Scanning.beginning_of_input ic tests the beginning of input condition of the given Scanf.Scanning.in_channel formatted input channel.
val name_of_input : in_channel -> string
Scanning.name_of_input ic returns the name of the character source for the given Scanf.Scanning.in_channel formatted input channel.
Since 3.09.0
val stdib : in_channel
A deprecated alias for Scanf.Scanning.stdin, the scanning buffer reading from stdin.
ocaml-doc-4.05/ocaml.html/libref/type_Ast_helper.Vb.html0000644000175000017500000001641313131636441022131 0ustar mehdimehdi Ast_helper.Vb sig
  val mk :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    ?docs:Docstrings.docs ->
    ?text:Docstrings.text ->
    Parsetree.pattern -> Parsetree.expression -> Parsetree.value_binding
end
ocaml-doc-4.05/ocaml.html/libref/List.html0000644000175000017500000010064013131636445017347 0ustar mehdimehdi List

Module List

module List: sig .. end
List operations.

Some functions are flagged as not tail-recursive. A tail-recursive function uses constant stack space, while a non-tail-recursive function uses stack space proportional to the length of its list argument, which can be a problem with very long lists. When the function takes several list arguments, an approximate formula giving stack usage (in some unspecified constant unit) is shown in parentheses.

The above considerations can usually be ignored if your lists are not longer than about 10000 elements.


val length : 'a list -> int
Return the length (number of elements) of the given list.
val compare_lengths : 'a list -> 'b list -> int
Compare the lengths of two lists. compare_lengths l1 l2 is equivalent to compare (length l1) (length l2), except that the computation stops after itering on the shortest list.
Since 4.05.0
val compare_length_with : 'a list -> int -> int
Compare the length of a list to an integer. compare_length_with l n is equivalent to compare (length l) n, except that the computation stops after at most n iterations on the list.
Since 4.05.0
val cons : 'a -> 'a list -> 'a list
cons x xs is x :: xs
Since 4.03.0
val hd : 'a list -> 'a
Return the first element of the given list. Raise Failure "hd" if the list is empty.
val tl : 'a list -> 'a list
Return the given list without its first element. Raise Failure "tl" if the list is empty.
val nth : 'a list -> int -> 'a
Return the n-th element of the given list. The first element (head of the list) is at position 0. Raise Failure "nth" if the list is too short. Raise Invalid_argument "List.nth" if n is negative.
val nth_opt : 'a list -> int -> 'a option
Return the n-th element of the given list. The first element (head of the list) is at position 0. Return None if the list is too short. Raise Invalid_argument "List.nth" if n is negative.
Since 4.05
val rev : 'a list -> 'a list
List reversal.
val append : 'a list -> 'a list -> 'a list
Concatenate two lists. Same as the infix operator @. Not tail-recursive (length of the first argument).
val rev_append : 'a list -> 'a list -> 'a list
List.rev_append l1 l2 reverses l1 and concatenates it to l2. This is equivalent to List.rev l1 @ l2, but rev_append is tail-recursive and more efficient.
val concat : 'a list list -> 'a list
Concatenate a list of lists. The elements of the argument are all concatenated together (in the same order) to give the result. Not tail-recursive (length of the argument + length of the longest sub-list).
val flatten : 'a list list -> 'a list
An alias for concat.

Iterators

val iter : ('a -> unit) -> 'a list -> unit
List.iter f [a1; ...; an] applies function f in turn to a1; ...; an. It is equivalent to begin f a1; f a2; ...; f an; () end.
val iteri : (int -> 'a -> unit) -> 'a list -> unit
Same as List.iter, but the function is applied to the index of the element as first argument (counting from 0), and the element itself as second argument.
Since 4.00.0
val map : ('a -> 'b) -> 'a list -> 'b list
List.map f [a1; ...; an] applies function f to a1, ..., an, and builds the list [f a1; ...; f an] with the results returned by f. Not tail-recursive.
val mapi : (int -> 'a -> 'b) -> 'a list -> 'b list
Same as List.map, but the function is applied to the index of the element as first argument (counting from 0), and the element itself as second argument. Not tail-recursive.
Since 4.00.0
val rev_map : ('a -> 'b) -> 'a list -> 'b list
List.rev_map f l gives the same result as List.rev (List.map f l), but is tail-recursive and more efficient.
val fold_left : ('a -> 'b -> 'a) -> 'a -> 'b list -> 'a
List.fold_left f a [b1; ...; bn] is f (... (f (f a b1) b2) ...) bn.
val fold_right : ('a -> 'b -> 'b) -> 'a list -> 'b -> 'b
List.fold_right f [a1; ...; an] b is f a1 (f a2 (... (f an b) ...)). Not tail-recursive.

Iterators on two lists

val iter2 : ('a -> 'b -> unit) -> 'a list -> 'b list -> unit
List.iter2 f [a1; ...; an] [b1; ...; bn] calls in turn f a1 b1; ...; f an bn. Raise Invalid_argument if the two lists are determined to have different lengths.
val map2 : ('a -> 'b -> 'c) -> 'a list -> 'b list -> 'c list
List.map2 f [a1; ...; an] [b1; ...; bn] is [f a1 b1; ...; f an bn]. Raise Invalid_argument if the two lists are determined to have different lengths. Not tail-recursive.
val rev_map2 : ('a -> 'b -> 'c) -> 'a list -> 'b list -> 'c list
List.rev_map2 f l1 l2 gives the same result as List.rev (List.map2 f l1 l2), but is tail-recursive and more efficient.
val fold_left2 : ('a -> 'b -> 'c -> 'a) -> 'a -> 'b list -> 'c list -> 'a
List.fold_left2 f a [b1; ...; bn] [c1; ...; cn] is f (... (f (f a b1 c1) b2 c2) ...) bn cn. Raise Invalid_argument if the two lists are determined to have different lengths.
val fold_right2 : ('a -> 'b -> 'c -> 'c) -> 'a list -> 'b list -> 'c -> 'c
List.fold_right2 f [a1; ...; an] [b1; ...; bn] c is f a1 b1 (f a2 b2 (... (f an bn c) ...)). Raise Invalid_argument if the two lists are determined to have different lengths. Not tail-recursive.

List scanning

val for_all : ('a -> bool) -> 'a list -> bool
for_all p [a1; ...; an] checks if all elements of the list satisfy the predicate p. That is, it returns (p a1) && (p a2) && ... && (p an).
val exists : ('a -> bool) -> 'a list -> bool
exists p [a1; ...; an] checks if at least one element of the list satisfies the predicate p. That is, it returns (p a1) || (p a2) || ... || (p an).
val for_all2 : ('a -> 'b -> bool) -> 'a list -> 'b list -> bool
Same as List.for_all, but for a two-argument predicate. Raise Invalid_argument if the two lists are determined to have different lengths.
val exists2 : ('a -> 'b -> bool) -> 'a list -> 'b list -> bool
Same as List.exists, but for a two-argument predicate. Raise Invalid_argument if the two lists are determined to have different lengths.
val mem : 'a -> 'a list -> bool
mem a l is true if and only if a is equal to an element of l.
val memq : 'a -> 'a list -> bool
Same as List.mem, but uses physical equality instead of structural equality to compare list elements.

List searching

val find : ('a -> bool) -> 'a list -> 'a
find p l returns the first element of the list l that satisfies the predicate p. Raise Not_found if there is no value that satisfies p in the list l.
val find_opt : ('a -> bool) -> 'a list -> 'a option
find_opt p l returns the first element of the list l that satisfies the predicate p, or None if there is no value that satisfies p in the list l.
Since 4.05
val filter : ('a -> bool) -> 'a list -> 'a list
filter p l returns all the elements of the list l that satisfy the predicate p. The order of the elements in the input list is preserved.
val find_all : ('a -> bool) -> 'a list -> 'a list
find_all is another name for List.filter.
val partition : ('a -> bool) -> 'a list -> 'a list * 'a list
partition p l returns a pair of lists (l1, l2), where l1 is the list of all the elements of l that satisfy the predicate p, and l2 is the list of all the elements of l that do not satisfy p. The order of the elements in the input list is preserved.

Association lists

val assoc : 'a -> ('a * 'b) list -> 'b
assoc a l returns the value associated with key a in the list of pairs l. That is, assoc a [ ...; (a,b); ...] = b if (a,b) is the leftmost binding of a in list l. Raise Not_found if there is no value associated with a in the list l.
val assoc_opt : 'a -> ('a * 'b) list -> 'b option
assoc_opt a l returns the value associated with key a in the list of pairs l. That is, assoc_opt a [ ...; (a,b); ...] = b if (a,b) is the leftmost binding of a in list l. Returns None if there is no value associated with a in the list l.
Since 4.05
val assq : 'a -> ('a * 'b) list -> 'b
Same as List.assoc, but uses physical equality instead of structural equality to compare keys.
val assq_opt : 'a -> ('a * 'b) list -> 'b option
Same as List.assoc_opt, but uses physical equality instead of structural equality to compare keys.
Since 4.05
val mem_assoc : 'a -> ('a * 'b) list -> bool
Same as List.assoc, but simply return true if a binding exists, and false if no bindings exist for the given key.
val mem_assq : 'a -> ('a * 'b) list -> bool
Same as List.mem_assoc, but uses physical equality instead of structural equality to compare keys.
val remove_assoc : 'a -> ('a * 'b) list -> ('a * 'b) list
remove_assoc a l returns the list of pairs l without the first pair with key a, if any. Not tail-recursive.
val remove_assq : 'a -> ('a * 'b) list -> ('a * 'b) list
Same as List.remove_assoc, but uses physical equality instead of structural equality to compare keys. Not tail-recursive.

Lists of pairs

val split : ('a * 'b) list -> 'a list * 'b list
Transform a list of pairs into a pair of lists: split [(a1,b1); ...; (an,bn)] is ([a1; ...; an], [b1; ...; bn]). Not tail-recursive.
val combine : 'a list -> 'b list -> ('a * 'b) list
Transform a pair of lists into a list of pairs: combine [a1; ...; an] [b1; ...; bn] is [(a1,b1); ...; (an,bn)]. Raise Invalid_argument if the two lists have different lengths. Not tail-recursive.

Sorting

val sort : ('a -> 'a -> int) -> 'a list -> 'a list
Sort a list in increasing order according to a comparison function. The comparison function must return 0 if its arguments compare as equal, a positive integer if the first is greater, and a negative integer if the first is smaller (see Array.sort for a complete specification). For example, compare is a suitable comparison function. The resulting list is sorted in increasing order. List.sort is guaranteed to run in constant heap space (in addition to the size of the result list) and logarithmic stack space.

The current implementation uses Merge Sort. It runs in constant heap space and logarithmic stack space.

val stable_sort : ('a -> 'a -> int) -> 'a list -> 'a list
Same as List.sort, but the sorting algorithm is guaranteed to be stable (i.e. elements that compare equal are kept in their original order) .

The current implementation uses Merge Sort. It runs in constant heap space and logarithmic stack space.

val fast_sort : ('a -> 'a -> int) -> 'a list -> 'a list
Same as List.sort or List.stable_sort, whichever is faster on typical input.
val sort_uniq : ('a -> 'a -> int) -> 'a list -> 'a list
Same as List.sort, but also remove duplicates.
Since 4.02.0
val merge : ('a -> 'a -> int) -> 'a list -> 'a list -> 'a list
Merge two lists: Assuming that l1 and l2 are sorted according to the comparison function cmp, merge cmp l1 l2 will return a sorted list containting all the elements of l1 and l2. If several elements compare equal, the elements of l1 will be before the elements of l2. Not tail-recursive (sum of the lengths of the arguments).
ocaml-doc-4.05/ocaml.html/libref/Big_int.html0000644000175000017500000007455013131636441020015 0ustar mehdimehdi Big_int

Module Big_int

module Big_int: sig .. end
Operations on arbitrary-precision integers.

Big integers (type big_int) are signed integers of arbitrary size.


type big_int 
The type of big integers.
val zero_big_int : big_int
The big integer 0.
val unit_big_int : big_int
The big integer 1.

Arithmetic operations

val minus_big_int : big_int -> big_int
Unary negation.
val abs_big_int : big_int -> big_int
Absolute value.
val add_big_int : big_int -> big_int -> big_int
Addition.
val succ_big_int : big_int -> big_int
Successor (add 1).
val add_int_big_int : int -> big_int -> big_int
Addition of a small integer to a big integer.
val sub_big_int : big_int -> big_int -> big_int
Subtraction.
val pred_big_int : big_int -> big_int
Predecessor (subtract 1).
val mult_big_int : big_int -> big_int -> big_int
Multiplication of two big integers.
val mult_int_big_int : int -> big_int -> big_int
Multiplication of a big integer by a small integer
val square_big_int : big_int -> big_int
Return the square of the given big integer
val sqrt_big_int : big_int -> big_int
sqrt_big_int a returns the integer square root of a, that is, the largest big integer r such that r * r <= a. Raise Invalid_argument if a is negative.
val quomod_big_int : big_int -> big_int -> big_int * big_int
Euclidean division of two big integers. The first part of the result is the quotient, the second part is the remainder. Writing (q,r) = quomod_big_int a b, we have a = q * b + r and 0 <= r < |b|. Raise Division_by_zero if the divisor is zero.
val div_big_int : big_int -> big_int -> big_int
Euclidean quotient of two big integers. This is the first result q of quomod_big_int (see above).
val mod_big_int : big_int -> big_int -> big_int
Euclidean modulus of two big integers. This is the second result r of quomod_big_int (see above).
val gcd_big_int : big_int -> big_int -> big_int
Greatest common divisor of two big integers.
val power_int_positive_int : int -> int -> big_int
val power_big_int_positive_int : big_int -> int -> big_int
val power_int_positive_big_int : int -> big_int -> big_int
val power_big_int_positive_big_int : big_int -> big_int -> big_int
Exponentiation functions. Return the big integer representing the first argument a raised to the power b (the second argument). Depending on the function, a and b can be either small integers or big integers. Raise Invalid_argument if b is negative.

Comparisons and tests

val sign_big_int : big_int -> int
Return 0 if the given big integer is zero, 1 if it is positive, and -1 if it is negative.
val compare_big_int : big_int -> big_int -> int
compare_big_int a b returns 0 if a and b are equal, 1 if a is greater than b, and -1 if a is smaller than b.
val eq_big_int : big_int -> big_int -> bool
val le_big_int : big_int -> big_int -> bool
val ge_big_int : big_int -> big_int -> bool
val lt_big_int : big_int -> big_int -> bool
val gt_big_int : big_int -> big_int -> bool
Usual boolean comparisons between two big integers.
val max_big_int : big_int -> big_int -> big_int
Return the greater of its two arguments.
val min_big_int : big_int -> big_int -> big_int
Return the smaller of its two arguments.
val num_digits_big_int : big_int -> int
Return the number of machine words used to store the given big integer.
val num_bits_big_int : big_int -> int
Return the number of significant bits in the absolute value of the given big integer. num_bits_big_int a returns 0 if a is 0; otherwise it returns a positive integer n such that 2^(n-1) <= |a| < 2^n.
Since 4.03.0

Conversions to and from strings

val string_of_big_int : big_int -> string
Return the string representation of the given big integer, in decimal (base 10).
val big_int_of_string : string -> big_int
Convert a string to a big integer, in decimal. The string consists of an optional - or + sign, followed by one or several decimal digits.
val big_int_of_string_opt : string -> big_int option
Convert a string to a big integer, in decimal. The string consists of an optional - or + sign, followed by one or several decimal digits. Other the function returns None.
Since 4.05

Conversions to and from other numerical types

val big_int_of_int : int -> big_int
Convert a small integer to a big integer.
val is_int_big_int : big_int -> bool
Test whether the given big integer is small enough to be representable as a small integer (type int) without loss of precision. On a 32-bit platform, is_int_big_int a returns true if and only if a is between 230 and 230-1. On a 64-bit platform, is_int_big_int a returns true if and only if a is between -262 and 262-1.
val int_of_big_int : big_int -> int
Convert a big integer to a small integer (type int). Raises Failure "int_of_big_int" if the big integer is not representable as a small integer.
val int_of_big_int_opt : big_int -> int option
Convert a big integer to a small integer (type int). Return None if the big integer is not representable as a small integer.
Since 4.05
val big_int_of_int32 : int32 -> big_int
Convert a 32-bit integer to a big integer.
val big_int_of_nativeint : nativeint -> big_int
Convert a native integer to a big integer.
val big_int_of_int64 : int64 -> big_int
Convert a 64-bit integer to a big integer.
val int32_of_big_int : big_int -> int32
Convert a big integer to a 32-bit integer. Raises Failure if the big integer is outside the range [-231, 231-1].
val int32_of_big_int_opt : big_int -> int32 option
Convert a big integer to a 32-bit integer. Return None if the big integer is outside the range [-231, 231-1].
Since 4.05
val nativeint_of_big_int : big_int -> nativeint
Convert a big integer to a native integer. Raises Failure if the big integer is outside the range [Nativeint.min_int, Nativeint.max_int].
val nativeint_of_big_int_opt : big_int -> nativeint option
Convert a big integer to a native integer. Return None if the big integer is outside the range [Nativeint.min_int,
    Nativeint.max_int]
;
Since 4.05
val int64_of_big_int : big_int -> int64
Convert a big integer to a 64-bit integer. Raises Failure if the big integer is outside the range [-263, 263-1].
val int64_of_big_int_opt : big_int -> int64 option
Convert a big integer to a 64-bit integer. Return None if the big integer is outside the range [-263, 263-1].
Since 4.05
val float_of_big_int : big_int -> float
Returns a floating-point number approximating the given big integer.

Bit-oriented operations

val and_big_int : big_int -> big_int -> big_int
Bitwise logical 'and'. The arguments must be positive or zero.
val or_big_int : big_int -> big_int -> big_int
Bitwise logical 'or'. The arguments must be positive or zero.
val xor_big_int : big_int -> big_int -> big_int
Bitwise logical 'exclusive or'. The arguments must be positive or zero.
val shift_left_big_int : big_int -> int -> big_int
shift_left_big_int b n returns b shifted left by n bits. Equivalent to multiplication by 2^n.
val shift_right_big_int : big_int -> int -> big_int
shift_right_big_int b n returns b shifted right by n bits. Equivalent to division by 2^n with the result being rounded towards minus infinity.
val shift_right_towards_zero_big_int : big_int -> int -> big_int
shift_right_towards_zero_big_int b n returns b shifted right by n bits. The shift is performed on the absolute value of b, and the result has the same sign as b. Equivalent to division by 2^n with the result being rounded towards zero.
val extract_big_int : big_int -> int -> int -> big_int
extract_big_int bi ofs n returns a nonnegative number corresponding to bits ofs to ofs + n - 1 of the binary representation of bi. If bi is negative, a two's complement representation is used.
ocaml-doc-4.05/ocaml.html/libref/type_Printast.html0000644000175000017500000002044413131636450021300 0ustar mehdimehdi Printast sig
  val interface : Format.formatter -> Parsetree.signature_item list -> unit
  val implementation :
    Format.formatter -> Parsetree.structure_item list -> unit
  val top_phrase : Format.formatter -> Parsetree.toplevel_phrase -> unit
  val expression : int -> Format.formatter -> Parsetree.expression -> unit
  val structure : int -> Format.formatter -> Parsetree.structure -> unit
  val payload : int -> Format.formatter -> Parsetree.payload -> unit
end
ocaml-doc-4.05/ocaml.html/libref/type_Ccomp.html0000644000175000017500000002030213131636443020530 0ustar mehdimehdi Ccomp sig
  val command : string -> int
  val run_command : string -> unit
  val compile_file : string -> int
  val create_archive : string -> string list -> int
  val expand_libname : string -> string
  val quote_files : string list -> string
  val quote_optfile : string option -> string
  type link_mode = Exe | Dll | MainDll | Partial
  val call_linker :
    Ccomp.link_mode -> string -> string list -> string -> bool
end
ocaml-doc-4.05/ocaml.html/libref/Ast_helper.Cstr.html0000644000175000017500000001647613131636441021445 0ustar mehdimehdi Ast_helper.Cstr

Module Ast_helper.Cstr

module Cstr: sig .. end
Class structures

val mk : Parsetree.pattern -> Parsetree.class_field list -> Parsetree.class_structure
ocaml-doc-4.05/ocaml.html/libref/Ast_helper.Mty.html0000644000175000017500000002523313131636441021272 0ustar mehdimehdi Ast_helper.Mty

Module Ast_helper.Mty

module Mty: sig .. end
Module type expressions

val mk : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Parsetree.module_type_desc -> Parsetree.module_type
val attr : Parsetree.module_type -> Parsetree.attribute -> Parsetree.module_type
val ident : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs -> Ast_helper.lid -> Parsetree.module_type
val alias : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs -> Ast_helper.lid -> Parsetree.module_type
val signature : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs -> Parsetree.signature -> Parsetree.module_type
val functor_ : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Ast_helper.str ->
Parsetree.module_type option ->
Parsetree.module_type -> Parsetree.module_type
val with_ : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Parsetree.module_type ->
Parsetree.with_constraint list -> Parsetree.module_type
val typeof_ : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs -> Parsetree.module_expr -> Parsetree.module_type
val extension : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs -> Parsetree.extension -> Parsetree.module_type
ocaml-doc-4.05/ocaml.html/libref/Identifiable.S.html0000644000175000017500000002015513131636444021215 0ustar mehdimehdi Identifiable.S

Module type Identifiable.S

module type S = sig .. end

type t 
module T: Identifiable.Thing  with type t = t
include Identifiable.Thing
module Set: sig .. end
module Map: sig .. end
module Tbl: sig .. end
ocaml-doc-4.05/ocaml.html/libref/MoreLabels.Set.Make.html0000644000175000017500000003733113131636446022076 0ustar mehdimehdi MoreLabels.Set.Make

Functor MoreLabels.Set.Make

module Make: 
functor (Ord : OrderedType-> S with type elt = Ord.t
Parameters:
Ord : OrderedType

type elt 
type t 
val empty : t
val is_empty : t -> bool
val mem : elt -> t -> bool
val add : elt -> t -> t
val singleton : elt -> t
val remove : elt -> t -> t
val union : t -> t -> t
val inter : t -> t -> t
val diff : t -> t -> t
val compare : t -> t -> int
val equal : t -> t -> bool
val subset : t -> t -> bool
val iter : f:(elt -> unit) -> t -> unit
val map : f:(elt -> elt) ->
t -> t
val fold : f:(elt -> 'a -> 'a) -> t -> init:'a -> 'a
val for_all : f:(elt -> bool) -> t -> bool
val exists : f:(elt -> bool) -> t -> bool
val filter : f:(elt -> bool) -> t -> t
val partition : f:(elt -> bool) ->
t -> t * t
val cardinal : t -> int
val elements : t -> elt list
val min_elt : t -> elt
val min_elt_opt : t -> elt option
val max_elt : t -> elt
val max_elt_opt : t -> elt option
val choose : t -> elt
val choose_opt : t -> elt option
val split : elt ->
t -> t * bool * t
val find : elt -> t -> elt
val find_opt : elt -> t -> elt option
val find_first : f:(elt -> bool) ->
t -> elt
val find_first_opt : f:(elt -> bool) ->
t -> elt option
val find_last : f:(elt -> bool) ->
t -> elt
val find_last_opt : f:(elt -> bool) ->
t -> elt option
val of_list : elt list -> t
ocaml-doc-4.05/ocaml.html/libref/type_Ast_helper.Ci.html0000644000175000017500000001716213131636441022117 0ustar mehdimehdi Ast_helper.Ci sig
  val mk :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    ?docs:Docstrings.docs ->
    ?text:Docstrings.text ->
    ?virt:Asttypes.virtual_flag ->
    ?params:(Parsetree.core_type * Asttypes.variance) list ->
    Ast_helper.str -> '-> 'Parsetree.class_infos
end
ocaml-doc-4.05/ocaml.html/libref/Strongly_connected_components.html0000644000175000017500000002005613131636451024543 0ustar mehdimehdi Strongly_connected_components

Module Strongly_connected_components

module Strongly_connected_components: sig .. end
Kosaraju's algorithm for strongly connected components.

module type S = sig .. end
module Make: 
functor (Id : Identifiable.S-> S with module Id := Id
ocaml-doc-4.05/ocaml.html/libref/Sort.html0000644000175000017500000002134513131636450017363 0ustar mehdimehdi Sort

Module Sort

module Sort: sig .. end
Deprecated.This module is obsolete and exists only for backward compatibility. The sorting functions in Array and List should be used instead. The new functions are faster and use less memory.
Sorting and merging lists.

val list : ('a -> 'a -> bool) -> 'a list -> 'a list
Sort a list in increasing order according to an ordering predicate. The predicate should return true if its first argument is less than or equal to its second argument.
val array : ('a -> 'a -> bool) -> 'a array -> unit
Sort an array in increasing order according to an ordering predicate. The predicate should return true if its first argument is less than or equal to its second argument. The array is sorted in place.
val merge : ('a -> 'a -> bool) -> 'a list -> 'a list -> 'a list
Merge two lists according to the given predicate. Assuming the two argument lists are sorted according to the predicate, merge returns a sorted list containing the elements from the two lists. The behavior is undefined if the two argument lists were not sorted.
ocaml-doc-4.05/ocaml.html/libref/type_Int32.html0000644000175000017500000003221013131636445020371 0ustar mehdimehdi Int32 sig
  val zero : int32
  val one : int32
  val minus_one : int32
  external neg : int32 -> int32 = "%int32_neg"
  external add : int32 -> int32 -> int32 = "%int32_add"
  external sub : int32 -> int32 -> int32 = "%int32_sub"
  external mul : int32 -> int32 -> int32 = "%int32_mul"
  external div : int32 -> int32 -> int32 = "%int32_div"
  external rem : int32 -> int32 -> int32 = "%int32_mod"
  val succ : int32 -> int32
  val pred : int32 -> int32
  val abs : int32 -> int32
  val max_int : int32
  val min_int : int32
  external logand : int32 -> int32 -> int32 = "%int32_and"
  external logor : int32 -> int32 -> int32 = "%int32_or"
  external logxor : int32 -> int32 -> int32 = "%int32_xor"
  val lognot : int32 -> int32
  external shift_left : int32 -> int -> int32 = "%int32_lsl"
  external shift_right : int32 -> int -> int32 = "%int32_asr"
  external shift_right_logical : int32 -> int -> int32 = "%int32_lsr"
  external of_int : int -> int32 = "%int32_of_int"
  external to_int : int32 -> int = "%int32_to_int"
  external of_float : float -> int32 = "caml_int32_of_float"
    "caml_int32_of_float_unboxed" [@@unboxed] [@@noalloc]
  external to_float : int32 -> float = "caml_int32_to_float"
    "caml_int32_to_float_unboxed" [@@unboxed] [@@noalloc]
  external of_string : string -> int32 = "caml_int32_of_string"
  val of_string_opt : string -> int32 option
  val to_string : int32 -> string
  external bits_of_float : float -> int32 = "caml_int32_bits_of_float"
    "caml_int32_bits_of_float_unboxed" [@@unboxed] [@@noalloc]
  external float_of_bits : int32 -> float = "caml_int32_float_of_bits"
    "caml_int32_float_of_bits_unboxed" [@@unboxed] [@@noalloc]
  type t = int32
  val compare : Int32.t -> Int32.t -> int
  val equal : Int32.t -> Int32.t -> bool
  external format : string -> int32 -> string = "caml_int32_format"
end
ocaml-doc-4.05/ocaml.html/libref/type_Printf.html0000644000175000017500000002711513131636450020740 0ustar mehdimehdi Printf sig
  val fprintf :
    Pervasives.out_channel ->
    ('a, Pervasives.out_channel, unit) Pervasives.format -> 'a
  val printf : ('a, Pervasives.out_channel, unit) Pervasives.format -> 'a
  val eprintf : ('a, Pervasives.out_channel, unit) Pervasives.format -> 'a
  val sprintf : ('a, unit, string) Pervasives.format -> 'a
  val bprintf : Buffer.t -> ('a, Buffer.t, unit) Pervasives.format -> 'a
  val ifprintf : '-> ('a, 'b, 'c, unit) Pervasives.format4 -> 'a
  val kfprintf :
    (Pervasives.out_channel -> 'd) ->
    Pervasives.out_channel ->
    ('a, Pervasives.out_channel, unit, 'd) Pervasives.format4 -> 'a
  val ikfprintf :
    ('-> 'd) -> '-> ('a, 'b, 'c, 'd) Pervasives.format4 -> 'a
  val ksprintf :
    (string -> 'd) -> ('a, unit, string, 'd) Pervasives.format4 -> 'a
  val kbprintf :
    (Buffer.t -> 'd) ->
    Buffer.t -> ('a, Buffer.t, unit, 'd) Pervasives.format4 -> 'a
  val kprintf :
    (string -> 'b) -> ('a, unit, string, 'b) Pervasives.format4 -> 'a
end
ocaml-doc-4.05/ocaml.html/libref/type_MoreLabels.Map.OrderedType.html0000644000175000017500000001471013131636446024466 0ustar mehdimehdi MoreLabels.Map.OrderedType Map.OrderedTypeocaml-doc-4.05/ocaml.html/libref/type_Ephemeron.Kn.Make.html0000644000175000017500000002732713131636443022652 0ustar mehdimehdi Ephemeron.Kn.Make functor (H : Hashtbl.HashedType->
  sig
    type key = H.t array
    type 'a t
    val create : int -> 'a t
    val clear : 'a t -> unit
    val reset : 'a t -> unit
    val copy : 'a t -> 'a t
    val add : 'a t -> key -> '-> unit
    val remove : 'a t -> key -> unit
    val find : 'a t -> key -> 'a
    val find_opt : 'a t -> key -> 'a option
    val find_all : 'a t -> key -> 'a list
    val replace : 'a t -> key -> '-> unit
    val mem : 'a t -> key -> bool
    val iter : (key -> '-> unit) -> 'a t -> unit
    val filter_map_inplace : (key -> '-> 'a option) -> 'a t -> unit
    val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
    val length : 'a t -> int
    val stats : 'a t -> Hashtbl.statistics
    val clean : 'a t -> unit
    val stats_alive : 'a t -> Hashtbl.statistics
  end
ocaml-doc-4.05/ocaml.html/libref/Ccomp.html0000644000175000017500000002224413131636443017476 0ustar mehdimehdi Ccomp

Module Ccomp

module Ccomp: sig .. end

val command : string -> int
val run_command : string -> unit
val compile_file : string -> int
val create_archive : string -> string list -> int
val expand_libname : string -> string
val quote_files : string list -> string
val quote_optfile : string option -> string
type link_mode = 
| Exe
| Dll
| MainDll
| Partial
val call_linker : link_mode -> string -> string list -> string -> bool
ocaml-doc-4.05/ocaml.html/libref/BytesLabels.html0000644000175000017500000007524613131636442020657 0ustar mehdimehdi BytesLabels

Module BytesLabels

module BytesLabels: sig .. end
Byte sequence operations.
Since 4.02.0

val length : bytes -> int
Return the length (number of bytes) of the argument.
val get : bytes -> int -> char
get s n returns the byte at index n in argument s.

Raise Invalid_argument if n is not a valid index in s.

val set : bytes -> int -> char -> unit
set s n c modifies s in place, replacing the byte at index n with c.

Raise Invalid_argument if n is not a valid index in s.

val create : int -> bytes
create n returns a new byte sequence of length n. The sequence is uninitialized and contains arbitrary bytes.

Raise Invalid_argument if n < 0 or n > Sys.max_string_length.

val make : int -> char -> bytes
make n c returns a new byte sequence of length n, filled with the byte c.

Raise Invalid_argument if n < 0 or n > Sys.max_string_length.

val init : int -> f:(int -> char) -> bytes
init n f returns a fresh byte sequence of length n, with character i initialized to the result of f i.

Raise Invalid_argument if n < 0 or n > Sys.max_string_length.

val empty : bytes
A byte sequence of size 0.
val copy : bytes -> bytes
Return a new byte sequence that contains the same bytes as the argument.
val of_string : string -> bytes
Return a new byte sequence that contains the same bytes as the given string.
val to_string : bytes -> string
Return a new string that contains the same bytes as the given byte sequence.
val sub : bytes -> pos:int -> len:int -> bytes
sub s start len returns a new byte sequence of length len, containing the subsequence of s that starts at position start and has length len.

Raise Invalid_argument if start and len do not designate a valid range of s.

val sub_string : bytes -> int -> int -> string
Same as sub but return a string instead of a byte sequence.
val extend : bytes -> left:int -> right:int -> bytes
extend s left right returns a new byte sequence that contains the bytes of s, with left uninitialized bytes prepended and right uninitialized bytes appended to it. If left or right is negative, then bytes are removed (instead of appended) from the corresponding side of s.

Raise Invalid_argument if the result length is negative or longer than Sys.max_string_length bytes.
Since 4.05.0

val fill : bytes -> pos:int -> len:int -> char -> unit
fill s start len c modifies s in place, replacing len characters with c, starting at start.

Raise Invalid_argument if start and len do not designate a valid range of s.

val blit : src:bytes -> src_pos:int -> dst:bytes -> dst_pos:int -> len:int -> unit
blit src srcoff dst dstoff len copies len bytes from sequence src, starting at index srcoff, to sequence dst, starting at index dstoff. It works correctly even if src and dst are the same byte sequence, and the source and destination intervals overlap.

Raise Invalid_argument if srcoff and len do not designate a valid range of src, or if dstoff and len do not designate a valid range of dst.

val blit_string : src:string -> src_pos:int -> dst:bytes -> dst_pos:int -> len:int -> unit
blit src srcoff dst dstoff len copies len bytes from string src, starting at index srcoff, to byte sequence dst, starting at index dstoff.

Raise Invalid_argument if srcoff and len do not designate a valid range of src, or if dstoff and len do not designate a valid range of dst.
Since 4.05.0

val concat : sep:bytes -> bytes list -> bytes
concat sep sl concatenates the list of byte sequences sl, inserting the separator byte sequence sep between each, and returns the result as a new byte sequence.
val cat : bytes -> bytes -> bytes
cat s1 s2 concatenates s1 and s2 and returns the result as new byte sequence.

Raise Invalid_argument if the result is longer than Sys.max_string_length bytes.
Since 4.05.0

val iter : f:(char -> unit) -> bytes -> unit
iter f s applies function f in turn to all the bytes of s. It is equivalent to f (get s 0); f (get s 1); ...; f (get s
    (length s - 1)); ()
.
val iteri : f:(int -> char -> unit) -> bytes -> unit
Same as Bytes.iter, but the function is applied to the index of the byte as first argument and the byte itself as second argument.
val map : f:(char -> char) -> bytes -> bytes
map f s applies function f in turn to all the bytes of s and stores the resulting bytes in a new sequence that is returned as the result.
val mapi : f:(int -> char -> char) -> bytes -> bytes
mapi f s calls f with each character of s and its index (in increasing index order) and stores the resulting bytes in a new sequence that is returned as the result.
val trim : bytes -> bytes
Return a copy of the argument, without leading and trailing whitespace. The bytes regarded as whitespace are the ASCII characters ' ', '\012', '\n', '\r', and '\t'.
val escaped : bytes -> bytes
Return a copy of the argument, with special characters represented by escape sequences, following the lexical conventions of OCaml.
val index : bytes -> char -> int
index s c returns the index of the first occurrence of byte c in s.

Raise Not_found if c does not occur in s.

val index_opt : bytes -> char -> int option
index_opt s c returns the index of the first occurrence of byte c in s or None if c does not occur in s.
Since 4.05
val rindex : bytes -> char -> int
rindex s c returns the index of the last occurrence of byte c in s.

Raise Not_found if c does not occur in s.

val rindex_opt : bytes -> char -> int option
rindex_opt s c returns the index of the last occurrence of byte c in s or None if c does not occur in s.
Since 4.05
val index_from : bytes -> int -> char -> int
index_from s i c returns the index of the first occurrence of byte c in s after position i. Bytes.index s c is equivalent to Bytes.index_from s 0 c.

Raise Invalid_argument if i is not a valid position in s. Raise Not_found if c does not occur in s after position i.

val index_from_opt : bytes -> int -> char -> int option
index_from _opts i c returns the index of the first occurrence of byte c in s after position i or None if c does not occur in s after position i. Bytes.index_opt s c is equivalent to Bytes.index_from_opt s 0 c.

Raise Invalid_argument if i is not a valid position in s.
Since 4.05

val rindex_from : bytes -> int -> char -> int
rindex_from s i c returns the index of the last occurrence of byte c in s before position i+1. rindex s c is equivalent to rindex_from s (Bytes.length s - 1) c.

Raise Invalid_argument if i+1 is not a valid position in s. Raise Not_found if c does not occur in s before position i+1.

val rindex_from_opt : bytes -> int -> char -> int option
rindex_from_opt s i c returns the index of the last occurrence of byte c in s before position i+1 or None if c does not occur in s before position i+1. rindex_opt s c is equivalent to rindex_from s (Bytes.length s - 1) c.

Raise Invalid_argument if i+1 is not a valid position in s.
Since 4.05

val contains : bytes -> char -> bool
contains s c tests if byte c appears in s.
val contains_from : bytes -> int -> char -> bool
contains_from s start c tests if byte c appears in s after position start. contains s c is equivalent to contains_from
    s 0 c
.

Raise Invalid_argument if start is not a valid position in s.

val rcontains_from : bytes -> int -> char -> bool
rcontains_from s stop c tests if byte c appears in s before position stop+1.

Raise Invalid_argument if stop < 0 or stop+1 is not a valid position in s.

val uppercase : bytes -> bytes
Deprecated.Functions operating on Latin-1 character set are deprecated.
Return a copy of the argument, with all lowercase letters translated to uppercase, including accented letters of the ISO Latin-1 (8859-1) character set.
val lowercase : bytes -> bytes
Deprecated.Functions operating on Latin-1 character set are deprecated.
Return a copy of the argument, with all uppercase letters translated to lowercase, including accented letters of the ISO Latin-1 (8859-1) character set.
val capitalize : bytes -> bytes
Deprecated.Functions operating on Latin-1 character set are deprecated.
Return a copy of the argument, with the first character set to uppercase, using the ISO Latin-1 (8859-1) character set..
val uncapitalize : bytes -> bytes
Deprecated.Functions operating on Latin-1 character set are deprecated.
Return a copy of the argument, with the first character set to lowercase, using the ISO Latin-1 (8859-1) character set..
val uppercase_ascii : bytes -> bytes
Return a copy of the argument, with all lowercase letters translated to uppercase, using the US-ASCII character set.
Since 4.05.0
val lowercase_ascii : bytes -> bytes
Return a copy of the argument, with all uppercase letters translated to lowercase, using the US-ASCII character set.
Since 4.05.0
val capitalize_ascii : bytes -> bytes
Return a copy of the argument, with the first character set to uppercase, using the US-ASCII character set.
Since 4.05.0
val uncapitalize_ascii : bytes -> bytes
Return a copy of the argument, with the first character set to lowercase, using the US-ASCII character set.
Since 4.05.0
type t = bytes 
An alias for the type of byte sequences.
val compare : t -> t -> int
The comparison function for byte sequences, with the same specification as compare. Along with the type t, this function compare allows the module Bytes to be passed as argument to the functors Set.Make and Map.Make.
val equal : t -> t -> bool
The equality function for byte sequences.
Since 4.05.0
ocaml-doc-4.05/ocaml.html/libref/Int64.html0000644000175000017500000005043313131636445017344 0ustar mehdimehdi Int64

Module Int64

module Int64: sig .. end
64-bit integers.

This module provides operations on the type int64 of signed 64-bit integers. Unlike the built-in int type, the type int64 is guaranteed to be exactly 64-bit wide on all platforms. All arithmetic operations over int64 are taken modulo 264

Performance notice: values of type int64 occupy more memory space than values of type int, and arithmetic operations on int64 are generally slower than those on int. Use int64 only when the application requires exact 64-bit arithmetic.


val zero : int64
The 64-bit integer 0.
val one : int64
The 64-bit integer 1.
val minus_one : int64
The 64-bit integer -1.
val neg : int64 -> int64
Unary negation.
val add : int64 -> int64 -> int64
Addition.
val sub : int64 -> int64 -> int64
Subtraction.
val mul : int64 -> int64 -> int64
Multiplication.
val div : int64 -> int64 -> int64
Integer division. Raise Division_by_zero if the second argument is zero. This division rounds the real quotient of its arguments towards zero, as specified for (/).
val rem : int64 -> int64 -> int64
Integer remainder. If y is not zero, the result of Int64.rem x y satisfies the following property: x = Int64.add (Int64.mul (Int64.div x y) y) (Int64.rem x y). If y = 0, Int64.rem x y raises Division_by_zero.
val succ : int64 -> int64
Successor. Int64.succ x is Int64.add x Int64.one.
val pred : int64 -> int64
Predecessor. Int64.pred x is Int64.sub x Int64.one.
val abs : int64 -> int64
Return the absolute value of its argument.
val max_int : int64
The greatest representable 64-bit integer, 263 - 1.
val min_int : int64
The smallest representable 64-bit integer, -263.
val logand : int64 -> int64 -> int64
Bitwise logical and.
val logor : int64 -> int64 -> int64
Bitwise logical or.
val logxor : int64 -> int64 -> int64
Bitwise logical exclusive or.
val lognot : int64 -> int64
Bitwise logical negation
val shift_left : int64 -> int -> int64
Int64.shift_left x y shifts x to the left by y bits. The result is unspecified if y < 0 or y >= 64.
val shift_right : int64 -> int -> int64
Int64.shift_right x y shifts x to the right by y bits. This is an arithmetic shift: the sign bit of x is replicated and inserted in the vacated bits. The result is unspecified if y < 0 or y >= 64.
val shift_right_logical : int64 -> int -> int64
Int64.shift_right_logical x y shifts x to the right by y bits. This is a logical shift: zeroes are inserted in the vacated bits regardless of the sign of x. The result is unspecified if y < 0 or y >= 64.
val of_int : int -> int64
Convert the given integer (type int) to a 64-bit integer (type int64).
val to_int : int64 -> int
Convert the given 64-bit integer (type int64) to an integer (type int). On 64-bit platforms, the 64-bit integer is taken modulo 263, i.e. the high-order bit is lost during the conversion. On 32-bit platforms, the 64-bit integer is taken modulo 231, i.e. the top 33 bits are lost during the conversion.
val of_float : float -> int64
Convert the given floating-point number to a 64-bit integer, discarding the fractional part (truncate towards 0). The result of the conversion is undefined if, after truncation, the number is outside the range [Int64.min_int, Int64.max_int].
val to_float : int64 -> float
Convert the given 64-bit integer to a floating-point number.
val of_int32 : int32 -> int64
Convert the given 32-bit integer (type int32) to a 64-bit integer (type int64).
val to_int32 : int64 -> int32
Convert the given 64-bit integer (type int64) to a 32-bit integer (type int32). The 64-bit integer is taken modulo 232, i.e. the top 32 bits are lost during the conversion.
val of_nativeint : nativeint -> int64
Convert the given native integer (type nativeint) to a 64-bit integer (type int64).
val to_nativeint : int64 -> nativeint
Convert the given 64-bit integer (type int64) to a native integer. On 32-bit platforms, the 64-bit integer is taken modulo 232. On 64-bit platforms, the conversion is exact.
val of_string : string -> int64
Convert the given string to a 64-bit integer. The string is read in decimal (by default) or in hexadecimal, octal or binary if the string begins with 0x, 0o or 0b respectively. Raise Failure "int_of_string" if the given string is not a valid representation of an integer, or if the integer represented exceeds the range of integers representable in type int64.
val of_string_opt : string -> int64 option
Same as of_string, but return None instead of raising.
Since 4.05
val to_string : int64 -> string
Return the string representation of its argument, in decimal.
val bits_of_float : float -> int64
Return the internal representation of the given float according to the IEEE 754 floating-point 'double format' bit layout. Bit 63 of the result represents the sign of the float; bits 62 to 52 represent the (biased) exponent; bits 51 to 0 represent the mantissa.
val float_of_bits : int64 -> float
Return the floating-point number whose internal representation, according to the IEEE 754 floating-point 'double format' bit layout, is the given int64.
type t = int64 
An alias for the type of 64-bit integers.
val compare : t -> t -> int
The comparison function for 64-bit integers, with the same specification as compare. Along with the type t, this function compare allows the module Int64 to be passed as argument to the functors Set.Make and Map.Make.
val equal : t -> t -> bool
The equal function for int64s.
Since 4.03.0
ocaml-doc-4.05/ocaml.html/libref/Warnings.html0000644000175000017500000006431313131636452020230 0ustar mehdimehdi Warnings

Module Warnings

module Warnings: sig .. end

type t = 
| Comment_start
| Comment_not_end
| Deprecated of string
| Fragile_match of string
| Partial_application
| Labels_omitted of string list
| Method_override of string list
| Partial_match of string
| Non_closed_record_pattern of string
| Statement_type
| Unused_match
| Unused_pat
| Instance_variable_override of string list
| Illegal_backslash
| Implicit_public_methods of string list
| Unerasable_optional_argument
| Undeclared_virtual_method of string
| Not_principal of string
| Without_principality of string
| Unused_argument
| Nonreturning_statement
| Preprocessor of string
| Useless_record_with
| Bad_module_name of string
| All_clauses_guarded
| Unused_var of string
| Unused_var_strict of string
| Wildcard_arg_to_constant_constr
| Eol_in_string
| Duplicate_definitions of string * string * string * string
| Multiple_definition of string * string * string
| Unused_value_declaration of string
| Unused_open of string
| Unused_type_declaration of string
| Unused_for_index of string
| Unused_ancestor of string
| Unused_constructor of string * bool * bool
| Unused_extension of string * bool * bool * bool
| Unused_rec_flag
| Name_out_of_scope of string * string list * bool
| Ambiguous_name of string list * string list * bool
| Disambiguated_name of string
| Nonoptional_label of string
| Open_shadow_identifier of string * string
| Open_shadow_label_constructor of string * string
| Bad_env_variable of string * string
| Attribute_payload of string * string
| Eliminated_optional_arguments of string list
| No_cmi_file of string * string option
| Bad_docstring of bool
| Expect_tailcall
| Fragile_literal_pattern
| Misplaced_attribute of string
| Duplicated_attribute of string
| Inlining_impossible of string
| Unreachable_case
| Ambiguous_pattern of string list
| No_cmx_file of string
| Assignment_to_non_mutable_value
| Unused_module of string
| Unboxable_type_in_prim_decl of string
val parse_options : bool -> string -> unit
val is_active : t -> bool
val is_error : t -> bool
val defaults_w : string
val defaults_warn_error : string
val print : Format.formatter -> t -> unit
exception Errors of int
val check_fatal : unit -> unit
val reset_fatal : unit -> unit
val help_warnings : unit -> unit
type state 
val backup : unit -> state
val restore : state -> unit
ocaml-doc-4.05/ocaml.html/libref/index_modules.html0000644000175000017500000007770613131636452021311 0ustar mehdimehdi Index of modules

Index of modules


A
Arg
Parsing of command line arguments.
Arg_helper
Decipher command line arguments of the form <value> | <key>=<value>,... (as used for example for the specification of inlining parameters varying by simplification round).
Arith_status
Flags that control rational arithmetic.
Array [StdLabels]
Array
Array operations.
Array0 [Bigarray]
Zero-dimensional arrays.
Array1 [Bigarray]
One-dimensional arrays.
Array2 [Bigarray]
Two-dimensional arrays.
Array3 [Bigarray]
Three-dimensional arrays.
ArrayLabels
Array operations.
Ast_helper
Helpers to produce Parsetree fragments
Ast_invariants
Check AST invariants
Ast_iterator
Ast_iterator.iterator allows to implement AST inspection using open recursion.
Ast_mapper
The interface of a -ppx rewriter
Asttypes
Auxiliary AST types used by parsetree and typedtree.
Attr_helper
Helpers for attributes

B
Big_int
Operations on arbitrary-precision integers.
Bigarray
Large, multi-dimensional, numerical arrays.
Buffer
Extensible buffers.
Builtin_attributes
Bytes [StdLabels]
Bytes
Byte sequence operations.
BytesLabels
Byte sequence operations.

C
Callback
Registering OCaml values with the C runtime.
CamlinternalFormat
CamlinternalFormatBasics
CamlinternalLazy
Run-time support for lazy values.
CamlinternalMod
Run-time support for recursive modules.
CamlinternalOO
Run-time support for objects and classes.
Ccomp
Cf [Ast_helper]
Class fields
Char
Character operations.
Ci [Ast_helper]
Classes
Cl [Ast_helper]
Class expressions
Clflags
Optimization parameters represented as ints indexed by round number.
Color [Misc]
Complex
Complex numbers.
Condition
Condition variables to synchronize between threads.
Config
Consistbl
Const [Ast_helper]
Csig [Ast_helper]
Class signatures
Cstr [Ast_helper]
Class structures
Ctf [Ast_helper]
Class type fields
Cty [Ast_helper]
Class type expressions

D
Depend
Module dependencies.
Digest
MD5 message digest.
Docstrings
Documentation comments
Dynlink
Dynamic loading of object files.

E
Ephemeron [Obj]
Ephemeron
Ephemerons and weak hash table
Event
First-class synchronous communication.
Exp [Ast_helper]
Expressions

F
Filename
Operations on file names.
Float [Numbers]
Float_arg_helper [Clflags]
Optimization parameters represented as floats indexed by round number.
Format
Pretty printing.

G
Gc
Memory management control and statistics; finalised values.
GenHashTable [Ephemeron]
Genarray [Bigarray]
Genlex
A generic lexical analyzer.
Graphics
Machine-independent graphics primitives.
GraphicsX11
Additional graphics primitives for the X Windows system.

H
Hashtbl [MoreLabels]
Hashtbl
Hash tables and hash functions.

I
Id [Strongly_connected_components.S]
Identifiable
Uniform interface for common data structures over various things.
Incl [Ast_helper]
Includes
Int [Numbers]
Int32
32-bit integers.
Int64
64-bit integers.
Int_arg_helper [Clflags]
Int_literal_converter [Misc]

K
K1 [Ephemeron]
K2 [Ephemeron]
Kn [Ephemeron]

L
LargeFile [UnixLabels]
File operations on large files.
LargeFile [Unix]
File operations on large files.
LargeFile [Pervasives]
Operations on large files.
Lazy
Deferred computations.
Lexer
Lexing
The run-time library for lexers generated by ocamllex.
List [StdLabels]
List [Misc.Stdlib]
List
List operations.
ListLabels
List operations.
Location
Source code locations (ranges of positions), used in parsetree.
LongString [Misc]
Longident
Long identifiers, used in parsetree.

M
Make [Weak]
Functor building an implementation of the weak hash set structure.
Make [Strongly_connected_components]
Make [Set]
Functor building an implementation of the set structure given a totally ordered type.
Make [MoreLabels.Set]
Make [MoreLabels.Map]
Make [MoreLabels.Hashtbl]
Make [Map]
Functor building an implementation of the map structure given a totally ordered type.
Make [Identifiable]
Make [Hashtbl]
Functor building an implementation of the hashtable structure.
Make [Ephemeron.Kn]
Functor building an implementation of a weak hash table
Make [Ephemeron.K2]
Functor building an implementation of a weak hash table
Make [Ephemeron.K1]
Functor building an implementation of a weak hash table
Make [Arg_helper]
MakeHooks [Misc]
MakeSeeded [MoreLabels.Hashtbl]
MakeSeeded [Hashtbl]
Functor building an implementation of the hashtable structure.
MakeSeeded [Ephemeron.GenHashTable]
Functor building an implementation of an hash table that use the container for keeping the information given
MakeSeeded [Ephemeron.Kn]
Functor building an implementation of a weak hash table.
MakeSeeded [Ephemeron.K2]
Functor building an implementation of a weak hash table.
MakeSeeded [Ephemeron.K1]
Functor building an implementation of a weak hash table.
Map [MoreLabels]
Map
Association tables over ordered types.
Map [Identifiable.S]
Marshal
Marshaling of data structures.
Mb [Ast_helper]
Module bindings
Md [Ast_helper]
Module declarations
Misc
protect_refs l f temporarily sets r to v for each R (r, v) in l while executing f.
Mod [Ast_helper]
Module expressions
MoreLabels
Extra labeled libraries.
Mtd [Ast_helper]
Module type declarations
Mty [Ast_helper]
Module type expressions
Mutex
Locks for mutual exclusion.

N
Nativeint
Processor-native integers.
Num
Operation on arbitrary-precision numbers.
Numbers
Modules about numbers that satisfy Identifiable.S.

O
Obj
Operations on internal representations of values.
Oo
Operations on objects
Opn [Ast_helper]
Opens
Option [Misc.Stdlib]

P
Pair [Identifiable]
Parse
Entry points in the parser
Parser
Parsetree
Abstract syntax tree produced by parsing
Parsing
The run-time library for parsers generated by ocamlyacc.
Pat [Ast_helper]
Patterns
Pervasives
The initially opened module.
Pprintast
Printast
Printexc
Facilities for printing exceptions and inspecting current call stack.
Printf
Formatted output functions.

Q
Queue
First-in first-out queues.

R
Random
Pseudo-random number generators (PRNG).
Ratio
Operation on rational numbers.

S
Scanf
Formatted input functions.
Scanning [Scanf]
Series [Spacetime]
Set
Sets over ordered types.
Set [MoreLabels]
Set [Identifiable.S]
Sig [Ast_helper]
Signature items
Slot [Printexc]
Snapshot [Spacetime]
Sort
Sorting and merging lists.
Spacetime
Profiling of a program's space behaviour over time.
Stack
Last-in first-out stacks.
State [Random]
StdLabels
Standard labeled libraries.
Stdlib [Misc]
Str
Regular expressions and high-level string processing
Str [Ast_helper]
Structure items
Stream
Streams and parsers.
String
String operations.
String [StdLabels]
StringLabels
String operations.
StringMap [Misc]
StringMap [Depend]
StringSet [Misc]
StringSet [Depend]
Strongly_connected_components
Kosaraju's algorithm for strongly connected components.
Syntaxerr
Auxiliary type for reporting syntax errors
Sys
System interface.

T
T [Identifiable.S]
Targetint
Target processor-native integers.
Tbl
Tbl [Identifiable.S]
Te [Ast_helper]
Type extensions
Terminfo
Thread
Lightweight threads for Posix 1003.1c and Win32.
ThreadUnix
Thread-compatible system calls.
Timings
Compiler performance recording
Typ [Ast_helper]
Type expressions
Type [Ast_helper]
Type declarations

U
Uchar
Unicode characters.
Unix
Interface to the Unix system.
UnixLabels
Interface to the Unix system.

V
Val [Ast_helper]
Value declarations
Vb [Ast_helper]
Value bindings

W
Warnings
Weak
Arrays of weak pointers and hash sets of weak pointers.
ocaml-doc-4.05/ocaml.html/libref/type_CamlinternalMod.html0000644000175000017500000001751413131636443022553 0ustar mehdimehdi CamlinternalMod sig
  type shape =
      Function
    | Lazy
    | Class
    | Module of CamlinternalMod.shape array
    | Value of Obj.t
  val init_mod : string * int * int -> CamlinternalMod.shape -> Obj.t
  val update_mod : CamlinternalMod.shape -> Obj.t -> Obj.t -> unit
end
ocaml-doc-4.05/ocaml.html/libref/type_Graphics.html0000644000175000017500000005241213131636444021237 0ustar mehdimehdi Graphics sig
  exception Graphic_failure of string
  val open_graph : string -> unit
  val close_graph : unit -> unit
  val set_window_title : string -> unit
  val resize_window : int -> int -> unit
  external clear_graph : unit -> unit = "caml_gr_clear_graph"
  external size_x : unit -> int = "caml_gr_size_x"
  external size_y : unit -> int = "caml_gr_size_y"
  type color = int
  val rgb : int -> int -> int -> Graphics.color
  external set_color : Graphics.color -> unit = "caml_gr_set_color"
  val background : Graphics.color
  val foreground : Graphics.color
  val black : Graphics.color
  val white : Graphics.color
  val red : Graphics.color
  val green : Graphics.color
  val blue : Graphics.color
  val yellow : Graphics.color
  val cyan : Graphics.color
  val magenta : Graphics.color
  external plot : int -> int -> unit = "caml_gr_plot"
  val plots : (int * int) array -> unit
  external point_color : int -> int -> Graphics.color = "caml_gr_point_color"
  external moveto : int -> int -> unit = "caml_gr_moveto"
  val rmoveto : int -> int -> unit
  external current_x : unit -> int = "caml_gr_current_x"
  external current_y : unit -> int = "caml_gr_current_y"
  val current_point : unit -> int * int
  external lineto : int -> int -> unit = "caml_gr_lineto"
  val rlineto : int -> int -> unit
  val curveto : int * int -> int * int -> int * int -> unit
  val draw_rect : int -> int -> int -> int -> unit
  val draw_poly_line : (int * int) array -> unit
  val draw_poly : (int * int) array -> unit
  val draw_segments : (int * int * int * int) array -> unit
  val draw_arc : int -> int -> int -> int -> int -> int -> unit
  val draw_ellipse : int -> int -> int -> int -> unit
  val draw_circle : int -> int -> int -> unit
  val set_line_width : int -> unit
  external draw_char : char -> unit = "caml_gr_draw_char"
  external draw_string : string -> unit = "caml_gr_draw_string"
  external set_font : string -> unit = "caml_gr_set_font"
  val set_text_size : int -> unit
  external text_size : string -> int * int = "caml_gr_text_size"
  val fill_rect : int -> int -> int -> int -> unit
  external fill_poly : (int * int) array -> unit = "caml_gr_fill_poly"
  val fill_arc : int -> int -> int -> int -> int -> int -> unit
  val fill_ellipse : int -> int -> int -> int -> unit
  val fill_circle : int -> int -> int -> unit
  type image
  val transp : Graphics.color
  external make_image : Graphics.color array array -> Graphics.image
    = "caml_gr_make_image"
  external dump_image : Graphics.image -> Graphics.color array array
    = "caml_gr_dump_image"
  external draw_image : Graphics.image -> int -> int -> unit
    = "caml_gr_draw_image"
  val get_image : int -> int -> int -> int -> Graphics.image
  external create_image : int -> int -> Graphics.image
    = "caml_gr_create_image"
  external blit_image : Graphics.image -> int -> int -> unit
    = "caml_gr_blit_image"
  type status = {
    mouse_x : int;
    mouse_y : int;
    button : bool;
    keypressed : bool;
    key : char;
  }
  type event = Button_down | Button_up | Key_pressed | Mouse_motion | Poll
  external wait_next_event : Graphics.event list -> Graphics.status
    = "caml_gr_wait_event"
  val loop_at_exit : Graphics.event list -> (Graphics.status -> unit) -> unit
  val mouse_pos : unit -> int * int
  val button_down : unit -> bool
  val read_key : unit -> char
  val key_pressed : unit -> bool
  external sound : int -> int -> unit = "caml_gr_sound"
  val auto_synchronize : bool -> unit
  external synchronize : unit -> unit = "caml_gr_synchronize"
  external display_mode : bool -> unit = "caml_gr_display_mode"
  external remember_mode : bool -> unit = "caml_gr_remember_mode"
end
ocaml-doc-4.05/ocaml.html/libref/Ast_helper.html0000644000175000017500000003725613131636441020532 0ustar mehdimehdi Ast_helper

Module Ast_helper

module Ast_helper: sig .. end
Helpers to produce Parsetree fragments

type lid = Longident.t Asttypes.loc 
type str = string Asttypes.loc 
type loc = Location.t 
type attrs = Parsetree.attribute list 

Default locations


val default_loc : loc ref
Default value for all optional location arguments.
val with_default_loc : loc -> (unit -> 'a) -> 'a
Set the default_loc within the scope of the execution of the provided function.

Constants


module Const: sig .. end

Core language


module Typ: sig .. end
Type expressions
module Pat: sig .. end
Patterns
module Exp: sig .. end
Expressions
module Val: sig .. end
Value declarations
module Type: sig .. end
Type declarations
module Te: sig .. end
Type extensions

Module language


module Mty: sig .. end
Module type expressions
module Mod: sig .. end
Module expressions
module Sig: sig .. end
Signature items
module Str: sig .. end
Structure items
module Md: sig .. end
Module declarations
module Mtd: sig .. end
Module type declarations
module Mb: sig .. end
Module bindings
module Opn: sig .. end
Opens
module Incl: sig .. end
Includes
module Vb: sig .. end
Value bindings

Class language


module Cty: sig .. end
Class type expressions
module Ctf: sig .. end
Class type fields
module Cl: sig .. end
Class expressions
module Cf: sig .. end
Class fields
module Ci: sig .. end
Classes
module Csig: sig .. end
Class signatures
module Cstr: sig .. end
Class structures
ocaml-doc-4.05/ocaml.html/libref/Bigarray.Array2.html0000644000175000017500000004473513131636442021344 0ustar mehdimehdi Bigarray.Array2

Module Bigarray.Array2

module Array2: sig .. end
Two-dimensional arrays. The Array2 structure provides operations similar to those of Bigarray.Genarray, but specialized to the case of two-dimensional arrays.

type ('a, 'b, 'c) t 
The type of two-dimensional big arrays whose elements have OCaml type 'a, representation kind 'b, and memory layout 'c.
val create : ('a, 'b) Bigarray.kind ->
'c Bigarray.layout -> int -> int -> ('a, 'b, 'c) t
Array2.create kind layout dim1 dim2 returns a new bigarray of two dimension, whose size is dim1 in the first dimension and dim2 in the second dimension. kind and layout determine the array element kind and the array layout as described for Bigarray.Genarray.create.
val dim1 : ('a, 'b, 'c) t -> int
Return the first dimension of the given two-dimensional big array.
val dim2 : ('a, 'b, 'c) t -> int
Return the second dimension of the given two-dimensional big array.
val kind : ('a, 'b, 'c) t -> ('a, 'b) Bigarray.kind
Return the kind of the given big array.
val layout : ('a, 'b, 'c) t -> 'c Bigarray.layout
Return the layout of the given big array.
val size_in_bytes : ('a, 'b, 'c) t -> int
size_in_bytes a is the number of elements in a multiplied by a's Bigarray.kind_size_in_bytes.
Since 4.03.0
val get : ('a, 'b, 'c) t -> int -> int -> 'a
Array2.get a x y, also written a.{x,y}, returns the element of a at coordinates (x, y). x and y must be within the bounds of a, as described for Bigarray.Genarray.get; otherwise, Invalid_argument is raised.
val set : ('a, 'b, 'c) t -> int -> int -> 'a -> unit
Array2.set a x y v, or alternatively a.{x,y} <- v, stores the value v at coordinates (x, y) in a. x and y must be within the bounds of a, as described for Bigarray.Genarray.set; otherwise, Invalid_argument is raised.
val sub_left : ('a, 'b, Bigarray.c_layout) t ->
int -> int -> ('a, 'b, Bigarray.c_layout) t
Extract a two-dimensional sub-array of the given two-dimensional big array by restricting the first dimension. See Bigarray.Genarray.sub_left for more details. Array2.sub_left applies only to arrays with C layout.
val sub_right : ('a, 'b, Bigarray.fortran_layout) t ->
int -> int -> ('a, 'b, Bigarray.fortran_layout) t
Extract a two-dimensional sub-array of the given two-dimensional big array by restricting the second dimension. See Bigarray.Genarray.sub_right for more details. Array2.sub_right applies only to arrays with Fortran layout.
val slice_left : ('a, 'b, Bigarray.c_layout) t ->
int -> ('a, 'b, Bigarray.c_layout) Bigarray.Array1.t
Extract a row (one-dimensional slice) of the given two-dimensional big array. The integer parameter is the index of the row to extract. See Bigarray.Genarray.slice_left for more details. Array2.slice_left applies only to arrays with C layout.
val slice_right : ('a, 'b, Bigarray.fortran_layout) t ->
int -> ('a, 'b, Bigarray.fortran_layout) Bigarray.Array1.t
Extract a column (one-dimensional slice) of the given two-dimensional big array. The integer parameter is the index of the column to extract. See Bigarray.Genarray.slice_right for more details. Array2.slice_right applies only to arrays with Fortran layout.
val blit : ('a, 'b, 'c) t -> ('a, 'b, 'c) t -> unit
Copy the first big array to the second big array. See Bigarray.Genarray.blit for more details.
val fill : ('a, 'b, 'c) t -> 'a -> unit
Fill the given big array with the given value. See Bigarray.Genarray.fill for more details.
val of_array : ('a, 'b) Bigarray.kind ->
'c Bigarray.layout -> 'a array array -> ('a, 'b, 'c) t
Build a two-dimensional big array initialized from the given array of arrays.
val map_file : Unix.file_descr ->
?pos:int64 ->
('a, 'b) Bigarray.kind ->
'c Bigarray.layout -> bool -> int -> int -> ('a, 'b, 'c) t
Memory mapping of a file as a two-dimensional big array. See Bigarray.Genarray.map_file for more details.
val unsafe_get : ('a, 'b, 'c) t -> int -> int -> 'a
Like Bigarray.Array2.get, but bounds checking is not always performed.
val unsafe_set : ('a, 'b, 'c) t -> int -> int -> 'a -> unit
Like Bigarray.Array2.set, but bounds checking is not always performed.
ocaml-doc-4.05/ocaml.html/libref/type_Spacetime.html0000644000175000017500000002055613131636450021412 0ustar mehdimehdi Spacetime sig
  val enabled : bool
  module Series :
    sig
      type t
      val create : path:string -> Spacetime.Series.t
      val save_event :
        ?time:float -> Spacetime.Series.t -> event_name:string -> unit
      val save_and_close : ?time:float -> Spacetime.Series.t -> unit
    end
  module Snapshot :
    sig val take : ?time:float -> Spacetime.Series.t -> unit end
  val save_event_for_automatic_snapshots : event_name:string -> unit
end
ocaml-doc-4.05/ocaml.html/libref/style.css0000644000175000017500000000410013131636452017410 0ustar mehdimehdia:visited {color : #416DFF; text-decoration : none; } a:link {color : #416DFF; text-decoration : none;} a:hover {color : Red; text-decoration : none; background-color: #5FFF88} a:active {color : Red; text-decoration : underline; } .keyword { font-weight : bold ; color : Red } .keywordsign { color : #C04600 } .comment { color : Green } .constructor { color : Blue } .type { color : #5C6585 } .string { color : Maroon } .warning { color : Red ; font-weight : bold } .info { margin-left : 3em; margin-right : 3em } .code { color : #465F91 ; } h1 { font-size : 20pt ; text-align: center; } h2 { font-size : 20pt ; border: 1px solid #000000; margin-top: 5px; margin-bottom: 2px;text-align: center; background-color: #90BDFF ;padding: 2px; } h3 { font-size : 20pt ; border: 1px solid #000000; margin-top: 5px; margin-bottom: 2px;text-align: center; background-color: #90DDFF ;padding: 2px; } h4 { font-size : 20pt ; border: 1px solid #000000; margin-top: 5px; margin-bottom: 2px;text-align: center; background-color: #90EDFF ;padding: 2px; } h5 { font-size : 20pt ; border: 1px solid #000000; margin-top: 5px; margin-bottom: 2px;text-align: center; background-color: #90FDFF ;padding: 2px; } h6 { font-size : 20pt ; border: 1px solid #000000; margin-top: 5px; margin-bottom: 2px;text-align: center; background-color: #90BDFF ; padding: 2px; } div.h7 { font-size : 20pt ; border: 1px solid #000000; margin-top: 5px; margin-bottom: 2px;text-align: center; background-color: #90DDFF ; padding: 2px; } div.h8 { font-size : 20pt ; border: 1px solid #000000; margin-top: 5px; margin-bottom: 2px;text-align: center; background-color: #F0FFFF ; padding: 2px; } div.h9 { font-size : 20pt ; border: 1px solid #000000; margin-top: 5px; margin-bottom: 2px;text-align: center; background-color: #FFFFFF ; padding: 2px; } .typetable { border-style : hidden } .indextable { border-style : hidden } .paramstable { border-style : hidden ; padding: 5pt 5pt} body { background-color : White } tr { background-color : White } td.typefieldcomment { background-color : #FFFFFF } pre { margin-bottom: 4px } div.sig_block {margin-left: 2em}ocaml-doc-4.05/ocaml.html/libref/type_Unix.LargeFile.html0000644000175000017500000002121313131636451022244 0ustar mehdimehdi Unix.LargeFile sig
  val lseek : Unix.file_descr -> int64 -> Unix.seek_command -> int64
  val truncate : string -> int64 -> unit
  val ftruncate : Unix.file_descr -> int64 -> unit
  type stats = {
    st_dev : int;
    st_ino : int;
    st_kind : Unix.file_kind;
    st_perm : Unix.file_perm;
    st_nlink : int;
    st_uid : int;
    st_gid : int;
    st_rdev : int;
    st_size : int64;
    st_atime : float;
    st_mtime : float;
    st_ctime : float;
  }
  val stat : string -> Unix.LargeFile.stats
  val lstat : string -> Unix.LargeFile.stats
  val fstat : Unix.file_descr -> Unix.LargeFile.stats
end
ocaml-doc-4.05/ocaml.html/libref/Ephemeron.SeededS.html0000644000175000017500000002021113131636443021662 0ustar mehdimehdi Ephemeron.SeededS

Module type Ephemeron.SeededS

module type SeededS = sig .. end
The output signature of the functor Ephemeron.K1.MakeSeeded and Ephemeron.K2.MakeSeeded.

include Hashtbl.SeededS
val clean : 'a t -> unit
remove all dead bindings. Done automatically during automatic resizing.
val stats_alive : 'a t -> Hashtbl.statistics
same as Hashtbl.SeededS.stats but only count the alive bindings
ocaml-doc-4.05/ocaml.html/libref/type_Location.html0000644000175000017500000004553613131636445021261 0ustar mehdimehdi Location sig
  type t = {
    loc_start : Lexing.position;
    loc_end : Lexing.position;
    loc_ghost : bool;
  }
  val none : Location.t
  val in_file : string -> Location.t
  val init : Lexing.lexbuf -> string -> unit
  val curr : Lexing.lexbuf -> Location.t
  val symbol_rloc : unit -> Location.t
  val symbol_gloc : unit -> Location.t
  val rhs_loc : int -> Location.t
  val input_name : string Pervasives.ref
  val input_lexbuf : Lexing.lexbuf option Pervasives.ref
  val get_pos_info : Lexing.position -> string * int * int
  val print_loc : Format.formatter -> Location.t -> unit
  val print_error : Format.formatter -> Location.t -> unit
  val print_error_cur_file : Format.formatter -> unit -> unit
  val print_warning : Location.t -> Format.formatter -> Warnings.t -> unit
  val formatter_for_warnings : Format.formatter Pervasives.ref
  val prerr_warning : Location.t -> Warnings.t -> unit
  val echo_eof : unit -> unit
  val reset : unit -> unit
  val warning_printer :
    (Location.t -> Format.formatter -> Warnings.t -> unit) Pervasives.ref
  val default_warning_printer :
    Location.t -> Format.formatter -> Warnings.t -> unit
  val highlight_locations : Format.formatter -> Location.t list -> bool
  type 'a loc = { txt : 'a; loc : Location.t; }
  val mknoloc : '-> 'Location.loc
  val mkloc : '-> Location.t -> 'Location.loc
  val print : Format.formatter -> Location.t -> unit
  val print_compact : Format.formatter -> Location.t -> unit
  val print_filename : Format.formatter -> string -> unit
  val absolute_path : string -> string
  val show_filename : string -> string
  val absname : bool Pervasives.ref
  type error = {
    loc : Location.t;
    msg : string;
    sub : Location.error list;
    if_highlight : string;
  }
  exception Error of Location.error
  val print_error_prefix : Format.formatter -> unit -> unit
  val error :
    ?loc:Location.t ->
    ?sub:Location.error list ->
    ?if_highlight:string -> string -> Location.error
  val errorf :
    ?loc:Location.t ->
    ?sub:Location.error list ->
    ?if_highlight:string ->
    ('a, Format.formatter, unit, Location.error) Pervasives.format4 -> 'a
  val raise_errorf :
    ?loc:Location.t ->
    ?sub:Location.error list ->
    ?if_highlight:string ->
    ('a, Format.formatter, unit, 'b) Pervasives.format4 -> 'a
  val error_of_printer :
    Location.t -> (Format.formatter -> '-> unit) -> '-> Location.error
  val error_of_printer_file :
    (Format.formatter -> '-> unit) -> '-> Location.error
  val error_of_exn : exn -> Location.error option
  val register_error_of_exn : (exn -> Location.error option) -> unit
  val report_error : Format.formatter -> Location.error -> unit
  val error_reporter :
    (Format.formatter -> Location.error -> unit) Pervasives.ref
  val default_error_reporter : Format.formatter -> Location.error -> unit
  val report_exception : Format.formatter -> exn -> unit
end
ocaml-doc-4.05/ocaml.html/libref/Complex.html0000644000175000017500000003246713131636443020054 0ustar mehdimehdi Complex

Module Complex

module Complex: sig .. end
Complex numbers.

This module provides arithmetic operations on complex numbers. Complex numbers are represented by their real and imaginary parts (cartesian representation). Each part is represented by a double-precision floating-point number (type float).


type t = {
   re : float;
   im : float;
}
The type of complex numbers. re is the real part and im the imaginary part.
val zero : t
The complex number 0.
val one : t
The complex number 1.
val i : t
The complex number i.
val neg : t -> t
Unary negation.
val conj : t -> t
Conjugate: given the complex x + i.y, returns x - i.y.
val add : t -> t -> t
Addition
val sub : t -> t -> t
Subtraction
val mul : t -> t -> t
Multiplication
val inv : t -> t
Multiplicative inverse (1/z).
val div : t -> t -> t
Division
val sqrt : t -> t
Square root. The result x + i.y is such that x > 0 or x = 0 and y >= 0. This function has a discontinuity along the negative real axis.
val norm2 : t -> float
Norm squared: given x + i.y, returns x^2 + y^2.
val norm : t -> float
Norm: given x + i.y, returns sqrt(x^2 + y^2).
val arg : t -> float
Argument. The argument of a complex number is the angle in the complex plane between the positive real axis and a line passing through zero and the number. This angle ranges from -pi to pi. This function has a discontinuity along the negative real axis.
val polar : float -> float -> t
polar norm arg returns the complex having norm norm and argument arg.
val exp : t -> t
Exponentiation. exp z returns e to the z power.
val log : t -> t
Natural logarithm (in base e).
val pow : t -> t -> t
Power function. pow z1 z2 returns z1 to the z2 power.
ocaml-doc-4.05/ocaml.html/libref/type_Map.S.html0000644000175000017500000005601413131636445020420 0ustar mehdimehdi Map.S sig
  type key
  type +'a t
  val empty : 'Map.S.t
  val is_empty : 'Map.S.t -> bool
  val mem : Map.S.key -> 'Map.S.t -> bool
  val add : Map.S.key -> '-> 'Map.S.t -> 'Map.S.t
  val singleton : Map.S.key -> '-> 'Map.S.t
  val remove : Map.S.key -> 'Map.S.t -> 'Map.S.t
  val merge :
    (Map.S.key -> 'a option -> 'b option -> 'c option) ->
    'Map.S.t -> 'Map.S.t -> 'Map.S.t
  val union :
    (Map.S.key -> '-> '-> 'a option) ->
    'Map.S.t -> 'Map.S.t -> 'Map.S.t
  val compare : ('-> '-> int) -> 'Map.S.t -> 'Map.S.t -> int
  val equal : ('-> '-> bool) -> 'Map.S.t -> 'Map.S.t -> bool
  val iter : (Map.S.key -> '-> unit) -> 'Map.S.t -> unit
  val fold : (Map.S.key -> '-> '-> 'b) -> 'Map.S.t -> '-> 'b
  val for_all : (Map.S.key -> '-> bool) -> 'Map.S.t -> bool
  val exists : (Map.S.key -> '-> bool) -> 'Map.S.t -> bool
  val filter : (Map.S.key -> '-> bool) -> 'Map.S.t -> 'Map.S.t
  val partition :
    (Map.S.key -> '-> bool) -> 'Map.S.t -> 'Map.S.t * 'Map.S.t
  val cardinal : 'Map.S.t -> int
  val bindings : 'Map.S.t -> (Map.S.key * 'a) list
  val min_binding : 'Map.S.t -> Map.S.key * 'a
  val min_binding_opt : 'Map.S.t -> (Map.S.key * 'a) option
  val max_binding : 'Map.S.t -> Map.S.key * 'a
  val max_binding_opt : 'Map.S.t -> (Map.S.key * 'a) option
  val choose : 'Map.S.t -> Map.S.key * 'a
  val choose_opt : 'Map.S.t -> (Map.S.key * 'a) option
  val split : Map.S.key -> 'Map.S.t -> 'Map.S.t * 'a option * 'Map.S.t
  val find : Map.S.key -> 'Map.S.t -> 'a
  val find_opt : Map.S.key -> 'Map.S.t -> 'a option
  val find_first : (Map.S.key -> bool) -> 'Map.S.t -> Map.S.key * 'a
  val find_first_opt :
    (Map.S.key -> bool) -> 'Map.S.t -> (Map.S.key * 'a) option
  val find_last : (Map.S.key -> bool) -> 'Map.S.t -> Map.S.key * 'a
  val find_last_opt :
    (Map.S.key -> bool) -> 'Map.S.t -> (Map.S.key * 'a) option
  val map : ('-> 'b) -> 'Map.S.t -> 'Map.S.t
  val mapi : (Map.S.key -> '-> 'b) -> 'Map.S.t -> 'Map.S.t
end
ocaml-doc-4.05/ocaml.html/libref/Misc.Stdlib.html0000644000175000017500000001667113131636445020561 0ustar mehdimehdi Misc.Stdlib

Module Misc.Stdlib

module Stdlib: sig .. end

module List: sig .. end
module Option: sig .. end
ocaml-doc-4.05/ocaml.html/libref/Pprintast.html0000644000175000017500000002260313131636450020416 0ustar mehdimehdi Pprintast

Module Pprintast

module Pprintast: sig .. end

type space_formatter = (unit, Format.formatter, unit) format 
val toplevel_phrase : Format.formatter -> Parsetree.toplevel_phrase -> unit
val expression : Format.formatter -> Parsetree.expression -> unit
val string_of_expression : Parsetree.expression -> string
val top_phrase : Format.formatter -> Parsetree.toplevel_phrase -> unit
val core_type : Format.formatter -> Parsetree.core_type -> unit
val pattern : Format.formatter -> Parsetree.pattern -> unit
val signature : Format.formatter -> Parsetree.signature -> unit
val structure : Format.formatter -> Parsetree.structure -> unit
val string_of_structure : Parsetree.structure -> string
ocaml-doc-4.05/ocaml.html/libref/type_Arith_status.html0000644000175000017500000002003213131636441022137 0ustar mehdimehdi Arith_status sig
  val arith_status : unit -> unit
  val get_error_when_null_denominator : unit -> bool
  val set_error_when_null_denominator : bool -> unit
  val get_normalize_ratio : unit -> bool
  val set_normalize_ratio : bool -> unit
  val get_normalize_ratio_when_printing : unit -> bool
  val set_normalize_ratio_when_printing : bool -> unit
  val get_approx_printing : unit -> bool
  val set_approx_printing : bool -> unit
  val get_floating_precision : unit -> int
  val set_floating_precision : int -> unit
end
ocaml-doc-4.05/ocaml.html/libref/Uchar.html0000644000175000017500000003022713131636451017476 0ustar mehdimehdi Uchar

Module Uchar

module Uchar: sig .. end
Unicode characters.
Since 4.03

type t 
The type for Unicode characters.

A value of this type represents an Unicode scalar value which is an integer in the ranges 0x0000...0xD7FF or 0xE000...0x10FFFF.

val min : t
min is U+0000.
val max : t
max is U+10FFFF.
val succ : t -> t
succ u is the scalar value after u in the set of Unicode scalar values.
Raises Invalid_argument if u is Uchar.max.
val pred : t -> t
pred u is the scalar value before u in the set of Unicode scalar values.
Raises Invalid_argument if u is Uchar.min.
val is_valid : int -> bool
is_valid n is true iff n is an Unicode scalar value (i.e. in the ranges 0x0000...0xD7FF or 0xE000...0x10FFFF).
val of_int : int -> t
of_int i is i as an Unicode character.
Raises Invalid_argument if i does not satisfy Uchar.is_valid.
val to_int : t -> int
to_int u is u as an integer.
val is_char : t -> bool
is_char u is true iff u is a latin1 OCaml character.
val of_char : char -> t
of_char c is c as an Unicode character.
val to_char : t -> char
to_char u is u as an OCaml latin1 character.
Raises Invalid_argument if u does not satisfy Uchar.is_char.
val equal : t -> t -> bool
equal u u' is u = u'.
val compare : t -> t -> int
compare u u' is Pervasives.compare u u'.
val hash : t -> int
hash u associates a non-negative integer to u.
ocaml-doc-4.05/ocaml.html/libref/Ast_mapper.html0000644000175000017500000010461613131636441020532 0ustar mehdimehdi Ast_mapper

Module Ast_mapper

module Ast_mapper: sig .. end
The interface of a -ppx rewriter

A -ppx rewriter is a program that accepts a serialized abstract syntax tree and outputs another, possibly modified, abstract syntax tree. This module encapsulates the interface between the compiler and the -ppx rewriters, handling such details as the serialization format, forwarding of command-line flags, and storing state.

Ast_mapper.mapper allows to implement AST rewriting using open recursion. A typical mapper would be based on Ast_mapper.default_mapper, a deep identity mapper, and will fall back on it for handling the syntax it does not modify. For example:

open Asttypes
open Parsetree
open Ast_mapper

let test_mapper argv =
  { default_mapper with
    expr = fun mapper expr ->
      match expr with
      | { pexp_desc = Pexp_extension ({ txt = "test" }, PStr [])} ->
        Ast_helper.Exp.constant (Const_int 42)
      | other -> default_mapper.expr mapper other; }

let () =
  register "ppx_test" test_mapper

This -ppx rewriter, which replaces [%test] in expressions with the constant 42, can be compiled using ocamlc -o ppx_test -I +compiler-libs ocamlcommon.cma ppx_test.ml.



A generic Parsetree mapper


type mapper = {
   attribute : mapper -> Parsetree.attribute -> Parsetree.attribute;
   attributes : mapper -> Parsetree.attribute list -> Parsetree.attribute list;
   case : mapper -> Parsetree.case -> Parsetree.case;
   cases : mapper -> Parsetree.case list -> Parsetree.case list;
   class_declaration : mapper ->
Parsetree.class_declaration -> Parsetree.class_declaration
;
   class_description : mapper ->
Parsetree.class_description -> Parsetree.class_description
;
   class_expr : mapper -> Parsetree.class_expr -> Parsetree.class_expr;
   class_field : mapper -> Parsetree.class_field -> Parsetree.class_field;
   class_signature : mapper -> Parsetree.class_signature -> Parsetree.class_signature;
   class_structure : mapper -> Parsetree.class_structure -> Parsetree.class_structure;
   class_type : mapper -> Parsetree.class_type -> Parsetree.class_type;
   class_type_declaration : mapper ->
Parsetree.class_type_declaration -> Parsetree.class_type_declaration
;
   class_type_field : mapper -> Parsetree.class_type_field -> Parsetree.class_type_field;
   constructor_declaration : mapper ->
Parsetree.constructor_declaration -> Parsetree.constructor_declaration
;
   expr : mapper -> Parsetree.expression -> Parsetree.expression;
   extension : mapper -> Parsetree.extension -> Parsetree.extension;
   extension_constructor : mapper ->
Parsetree.extension_constructor -> Parsetree.extension_constructor
;
   include_declaration : mapper ->
Parsetree.include_declaration -> Parsetree.include_declaration
;
   include_description : mapper ->
Parsetree.include_description -> Parsetree.include_description
;
   label_declaration : mapper ->
Parsetree.label_declaration -> Parsetree.label_declaration
;
   location : mapper -> Location.t -> Location.t;
   module_binding : mapper -> Parsetree.module_binding -> Parsetree.module_binding;
   module_declaration : mapper ->
Parsetree.module_declaration -> Parsetree.module_declaration
;
   module_expr : mapper -> Parsetree.module_expr -> Parsetree.module_expr;
   module_type : mapper -> Parsetree.module_type -> Parsetree.module_type;
   module_type_declaration : mapper ->
Parsetree.module_type_declaration -> Parsetree.module_type_declaration
;
   open_description : mapper -> Parsetree.open_description -> Parsetree.open_description;
   pat : mapper -> Parsetree.pattern -> Parsetree.pattern;
   payload : mapper -> Parsetree.payload -> Parsetree.payload;
   signature : mapper -> Parsetree.signature -> Parsetree.signature;
   signature_item : mapper -> Parsetree.signature_item -> Parsetree.signature_item;
   structure : mapper -> Parsetree.structure -> Parsetree.structure;
   structure_item : mapper -> Parsetree.structure_item -> Parsetree.structure_item;
   typ : mapper -> Parsetree.core_type -> Parsetree.core_type;
   type_declaration : mapper -> Parsetree.type_declaration -> Parsetree.type_declaration;
   type_extension : mapper -> Parsetree.type_extension -> Parsetree.type_extension;
   type_kind : mapper -> Parsetree.type_kind -> Parsetree.type_kind;
   value_binding : mapper -> Parsetree.value_binding -> Parsetree.value_binding;
   value_description : mapper ->
Parsetree.value_description -> Parsetree.value_description
;
   with_constraint : mapper -> Parsetree.with_constraint -> Parsetree.with_constraint;
}
A mapper record implements one "method" per syntactic category, using an open recursion style: each method takes as its first argument the mapper to be applied to children in the syntax tree.
val default_mapper : mapper
A default mapper, which implements a "deep identity" mapping.

Apply mappers to compilation units


val tool_name : unit -> string
Can be used within a ppx preprocessor to know which tool is calling it "ocamlc", "ocamlopt", "ocamldoc", "ocamldep", "ocaml", ... Some global variables that reflect command-line options are automatically synchronized between the calling tool and the ppx preprocessor: Clflags.include_dirs, Config.load_path, Clflags.open_modules, Clflags.for_package, Clflags.debug.
val apply : source:string -> target:string -> mapper -> unit
Apply a mapper (parametrized by the unit name) to a dumped parsetree found in the source file and put the result in the target file. The structure or signature field of the mapper is applied to the implementation or interface.
val run_main : (string list -> mapper) -> unit
Entry point to call to implement a standalone -ppx rewriter from a mapper, parametrized by the command line arguments. The current unit name can be obtained from Location.input_name. This function implements proper error reporting for uncaught exceptions.

Registration API


val register_function : (string -> (string list -> mapper) -> unit) ref
val register : string -> (string list -> mapper) -> unit
Apply the register_function. The default behavior is to run the mapper immediately, taking arguments from the process command line. This is to support a scenario where a mapper is linked as a stand-alone executable.

It is possible to overwrite the register_function to define "-ppx drivers", which combine several mappers in a single process. Typically, a driver starts by defining register_function to a custom implementation, then lets ppx rewriters (linked statically or dynamically) register themselves, and then run all or some of them. It is also possible to have -ppx drivers apply rewriters to only specific parts of an AST.

The first argument to register is a symbolic name to be used by the ppx driver.


Convenience functions to write mappers


val map_opt : ('a -> 'b) -> 'a option -> 'b option
val extension_of_error : Location.error -> Parsetree.extension
Encode an error into an 'ocaml.error' extension node which can be inserted in a generated Parsetree. The compiler will be responsible for reporting the error.
val attribute_of_warning : Location.t -> string -> Parsetree.attribute
Encode a warning message into an 'ocaml.ppwarning' attribute which can be inserted in a generated Parsetree. The compiler will be responsible for reporting the warning.

Helper functions to call external mappers


val add_ppx_context_str : tool_name:string -> Parsetree.structure -> Parsetree.structure
Extract information from the current environment and encode it into an attribute which is prepended to the list of structure items in order to pass the information to an external processor.
val add_ppx_context_sig : tool_name:string -> Parsetree.signature -> Parsetree.signature
Same as add_ppx_context_str, but for signatures.
val drop_ppx_context_str : restore:bool -> Parsetree.structure -> Parsetree.structure
Drop the ocaml.ppx.context attribute from a structure. If restore is true, also restore the associated data in the current process.
val drop_ppx_context_sig : restore:bool -> Parsetree.signature -> Parsetree.signature
Same as drop_ppx_context_str, but for signatures.

Cookies



Cookies are used to pass information from a ppx processor to a further invocation of itself, when called from the OCaml toplevel (or other tools that support cookies).
val set_cookie : string -> Parsetree.expression -> unit
val get_cookie : string -> Parsetree.expression option
ocaml-doc-4.05/ocaml.html/libref/Random.html0000644000175000017500000003062113131636450017651 0ustar mehdimehdi Random

Module Random

module Random: sig .. end
Pseudo-random number generators (PRNG).


Basic functions

val init : int -> unit
Initialize the generator, using the argument as a seed. The same seed will always yield the same sequence of numbers.
val full_init : int array -> unit
Same as Random.init but takes more data as seed.
val self_init : unit -> unit
Initialize the generator with a random seed chosen in a system-dependent way. If /dev/urandom is available on the host machine, it is used to provide a highly random initial seed. Otherwise, a less random seed is computed from system parameters (current time, process IDs).
val bits : unit -> int
Return 30 random bits in a nonnegative integer.
Before 3.12.0 used a different algorithm (affects all the following functions)
val int : int -> int
Random.int bound returns a random integer between 0 (inclusive) and bound (exclusive). bound must be greater than 0 and less than 230.
val int32 : Int32.t -> Int32.t
Random.int32 bound returns a random integer between 0 (inclusive) and bound (exclusive). bound must be greater than 0.
val nativeint : Nativeint.t -> Nativeint.t
Random.nativeint bound returns a random integer between 0 (inclusive) and bound (exclusive). bound must be greater than 0.
val int64 : Int64.t -> Int64.t
Random.int64 bound returns a random integer between 0 (inclusive) and bound (exclusive). bound must be greater than 0.
val float : float -> float
Random.float bound returns a random floating-point number between 0 and bound (inclusive). If bound is negative, the result is negative or zero. If bound is 0, the result is 0.
val bool : unit -> bool
Random.bool () returns true or false with probability 0.5 each.

Advanced functions


The functions from module Random.State manipulate the current state of the random generator explicitly. This allows using one or several deterministic PRNGs, even in a multi-threaded program, without interference from other parts of the program.
module State: sig .. end
val get_state : unit -> State.t
Return the current state of the generator used by the basic functions.
val set_state : State.t -> unit
Set the state of the generator used by the basic functions.
ocaml-doc-4.05/ocaml.html/libref/MoreLabels.Map.S.html0000644000175000017500000003640413131636446021405 0ustar mehdimehdi MoreLabels.Map.S

Module type MoreLabels.Map.S

module type S = sig .. end

type key 
type +'a t 
val empty : 'a t
val is_empty : 'a t -> bool
val mem : key -> 'a t -> bool
val add : key:key ->
data:'a -> 'a t -> 'a t
val singleton : key -> 'a -> 'a t
val remove : key -> 'a t -> 'a t
val merge : f:(key -> 'a option -> 'b option -> 'c option) ->
'a t -> 'b t -> 'c t
val union : f:(key -> 'a -> 'a -> 'a option) ->
'a t -> 'a t -> 'a t
val compare : cmp:('a -> 'a -> int) ->
'a t -> 'a t -> int
val equal : cmp:('a -> 'a -> bool) ->
'a t -> 'a t -> bool
val iter : f:(key:key -> data:'a -> unit) ->
'a t -> unit
val fold : f:(key:key -> data:'a -> 'b -> 'b) ->
'a t -> init:'b -> 'b
val for_all : f:(key -> 'a -> bool) -> 'a t -> bool
val exists : f:(key -> 'a -> bool) -> 'a t -> bool
val filter : f:(key -> 'a -> bool) ->
'a t -> 'a t
val partition : f:(key -> 'a -> bool) ->
'a t -> 'a t * 'a t
val cardinal : 'a t -> int
val bindings : 'a t -> (key * 'a) list
val min_binding : 'a t -> key * 'a
val min_binding_opt : 'a t -> (key * 'a) option
val max_binding : 'a t -> key * 'a
val max_binding_opt : 'a t -> (key * 'a) option
val choose : 'a t -> key * 'a
val choose_opt : 'a t -> (key * 'a) option
val split : key ->
'a t ->
'a t * 'a option * 'a t
val find : key -> 'a t -> 'a
val find_opt : key -> 'a t -> 'a option
val find_first : f:(key -> bool) ->
'a t -> key * 'a
val find_first_opt : f:(key -> bool) ->
'a t -> (key * 'a) option
val find_last : f:(key -> bool) ->
'a t -> key * 'a
val find_last_opt : f:(key -> bool) ->
'a t -> (key * 'a) option
val map : f:('a -> 'b) -> 'a t -> 'b t
val mapi : f:(key -> 'a -> 'b) ->
'a t -> 'b t
ocaml-doc-4.05/ocaml.html/libref/type_Ast_helper.Exp.html0000644000175000017500000007264513131636441022327 0ustar mehdimehdi Ast_helper.Exp sig
  val mk :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Parsetree.expression_desc -> Parsetree.expression
  val attr :
    Parsetree.expression -> Parsetree.attribute -> Parsetree.expression
  val ident :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs -> Ast_helper.lid -> Parsetree.expression
  val constant :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs -> Parsetree.constant -> Parsetree.expression
  val let_ :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Asttypes.rec_flag ->
    Parsetree.value_binding list ->
    Parsetree.expression -> Parsetree.expression
  val fun_ :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Asttypes.arg_label ->
    Parsetree.expression option ->
    Parsetree.pattern -> Parsetree.expression -> Parsetree.expression
  val function_ :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs -> Parsetree.case list -> Parsetree.expression
  val apply :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Parsetree.expression ->
    (Asttypes.arg_label * Parsetree.expression) list -> Parsetree.expression
  val match_ :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Parsetree.expression -> Parsetree.case list -> Parsetree.expression
  val try_ :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Parsetree.expression -> Parsetree.case list -> Parsetree.expression
  val tuple :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Parsetree.expression list -> Parsetree.expression
  val construct :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Ast_helper.lid -> Parsetree.expression option -> Parsetree.expression
  val variant :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Asttypes.label -> Parsetree.expression option -> Parsetree.expression
  val record :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    (Ast_helper.lid * Parsetree.expression) list ->
    Parsetree.expression option -> Parsetree.expression
  val field :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Parsetree.expression -> Ast_helper.lid -> Parsetree.expression
  val setfield :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Parsetree.expression ->
    Ast_helper.lid -> Parsetree.expression -> Parsetree.expression
  val array :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Parsetree.expression list -> Parsetree.expression
  val ifthenelse :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Parsetree.expression ->
    Parsetree.expression ->
    Parsetree.expression option -> Parsetree.expression
  val sequence :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Parsetree.expression -> Parsetree.expression -> Parsetree.expression
  val while_ :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Parsetree.expression -> Parsetree.expression -> Parsetree.expression
  val for_ :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Parsetree.pattern ->
    Parsetree.expression ->
    Parsetree.expression ->
    Asttypes.direction_flag -> Parsetree.expression -> Parsetree.expression
  val coerce :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Parsetree.expression ->
    Parsetree.core_type option -> Parsetree.core_type -> Parsetree.expression
  val constraint_ :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Parsetree.expression -> Parsetree.core_type -> Parsetree.expression
  val send :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Parsetree.expression -> Ast_helper.str -> Parsetree.expression
  val new_ :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs -> Ast_helper.lid -> Parsetree.expression
  val setinstvar :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Ast_helper.str -> Parsetree.expression -> Parsetree.expression
  val override :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    (Ast_helper.str * Parsetree.expression) list -> Parsetree.expression
  val letmodule :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Ast_helper.str ->
    Parsetree.module_expr -> Parsetree.expression -> Parsetree.expression
  val letexception :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Parsetree.extension_constructor ->
    Parsetree.expression -> Parsetree.expression
  val assert_ :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs -> Parsetree.expression -> Parsetree.expression
  val lazy_ :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs -> Parsetree.expression -> Parsetree.expression
  val poly :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Parsetree.expression ->
    Parsetree.core_type option -> Parsetree.expression
  val object_ :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Parsetree.class_structure -> Parsetree.expression
  val newtype :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Ast_helper.str -> Parsetree.expression -> Parsetree.expression
  val pack :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs -> Parsetree.module_expr -> Parsetree.expression
  val open_ :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Asttypes.override_flag ->
    Ast_helper.lid -> Parsetree.expression -> Parsetree.expression
  val extension :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs -> Parsetree.extension -> Parsetree.expression
  val unreachable :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs -> unit -> Parsetree.expression
  val case :
    Parsetree.pattern ->
    ?guard:Parsetree.expression -> Parsetree.expression -> Parsetree.case
end
ocaml-doc-4.05/ocaml.html/libref/type_Ast_helper.Opn.html0000644000175000017500000001626013131636441022316 0ustar mehdimehdi Ast_helper.Opn sig
  val mk :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    ?docs:Docstrings.docs ->
    ?override:Asttypes.override_flag ->
    Ast_helper.lid -> Parsetree.open_description
end
ocaml-doc-4.05/ocaml.html/libref/type_Asttypes.html0000644000175000017500000002414013131636441021305 0ustar mehdimehdi Asttypes sig
  type constant =
      Const_int of int
    | Const_char of char
    | Const_string of string * string option
    | Const_float of string
    | Const_int32 of int32
    | Const_int64 of int64
    | Const_nativeint of nativeint
  type rec_flag = Nonrecursive | Recursive
  type direction_flag = Upto | Downto
  type private_flag = Private | Public
  type mutable_flag = Immutable | Mutable
  type virtual_flag = Virtual | Concrete
  type override_flag = Override | Fresh
  type closed_flag = Closed | Open
  type label = string
  type arg_label = Nolabel | Labelled of string | Optional of string
  type 'a loc = 'Location.loc = { txt : 'a; loc : Location.t; }
  type variance = Covariant | Contravariant | Invariant
end
ocaml-doc-4.05/ocaml.html/libref/Ast_helper.Exp.html0000644000175000017500000006025213131636441021255 0ustar mehdimehdi Ast_helper.Exp

Module Ast_helper.Exp

module Exp: sig .. end
Expressions

val mk : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs -> Parsetree.expression_desc -> Parsetree.expression
val attr : Parsetree.expression -> Parsetree.attribute -> Parsetree.expression
val ident : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs -> Ast_helper.lid -> Parsetree.expression
val constant : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs -> Parsetree.constant -> Parsetree.expression
val let_ : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Asttypes.rec_flag ->
Parsetree.value_binding list -> Parsetree.expression -> Parsetree.expression
val fun_ : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Asttypes.arg_label ->
Parsetree.expression option ->
Parsetree.pattern -> Parsetree.expression -> Parsetree.expression
val function_ : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs -> Parsetree.case list -> Parsetree.expression
val apply : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Parsetree.expression ->
(Asttypes.arg_label * Parsetree.expression) list -> Parsetree.expression
val match_ : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Parsetree.expression -> Parsetree.case list -> Parsetree.expression
val try_ : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Parsetree.expression -> Parsetree.case list -> Parsetree.expression
val tuple : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs -> Parsetree.expression list -> Parsetree.expression
val construct : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Ast_helper.lid -> Parsetree.expression option -> Parsetree.expression
val variant : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Asttypes.label -> Parsetree.expression option -> Parsetree.expression
val record : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
(Ast_helper.lid * Parsetree.expression) list ->
Parsetree.expression option -> Parsetree.expression
val field : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Parsetree.expression -> Ast_helper.lid -> Parsetree.expression
val setfield : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Parsetree.expression ->
Ast_helper.lid -> Parsetree.expression -> Parsetree.expression
val array : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs -> Parsetree.expression list -> Parsetree.expression
val ifthenelse : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Parsetree.expression ->
Parsetree.expression -> Parsetree.expression option -> Parsetree.expression
val sequence : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Parsetree.expression -> Parsetree.expression -> Parsetree.expression
val while_ : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Parsetree.expression -> Parsetree.expression -> Parsetree.expression
val for_ : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Parsetree.pattern ->
Parsetree.expression ->
Parsetree.expression ->
Asttypes.direction_flag -> Parsetree.expression -> Parsetree.expression
val coerce : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Parsetree.expression ->
Parsetree.core_type option -> Parsetree.core_type -> Parsetree.expression
val constraint_ : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Parsetree.expression -> Parsetree.core_type -> Parsetree.expression
val send : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Parsetree.expression -> Ast_helper.str -> Parsetree.expression
val new_ : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs -> Ast_helper.lid -> Parsetree.expression
val setinstvar : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Ast_helper.str -> Parsetree.expression -> Parsetree.expression
val override : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
(Ast_helper.str * Parsetree.expression) list -> Parsetree.expression
val letmodule : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Ast_helper.str ->
Parsetree.module_expr -> Parsetree.expression -> Parsetree.expression
val letexception : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Parsetree.extension_constructor ->
Parsetree.expression -> Parsetree.expression
val assert_ : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs -> Parsetree.expression -> Parsetree.expression
val lazy_ : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs -> Parsetree.expression -> Parsetree.expression
val poly : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Parsetree.expression -> Parsetree.core_type option -> Parsetree.expression
val object_ : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs -> Parsetree.class_structure -> Parsetree.expression
val newtype : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Ast_helper.str -> Parsetree.expression -> Parsetree.expression
val pack : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs -> Parsetree.module_expr -> Parsetree.expression
val open_ : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Asttypes.override_flag ->
Ast_helper.lid -> Parsetree.expression -> Parsetree.expression
val extension : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs -> Parsetree.extension -> Parsetree.expression
val unreachable : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs -> unit -> Parsetree.expression
val case : Parsetree.pattern ->
?guard:Parsetree.expression -> Parsetree.expression -> Parsetree.case
ocaml-doc-4.05/ocaml.html/libref/Sys.html0000644000175000017500000006731313131636451017220 0ustar mehdimehdi Sys

Module Sys

module Sys: sig .. end
System interface.

Every function in this module raises Sys_error with an informative message when the underlying system call signal an error.


val argv : string array
The command line arguments given to the process. The first element is the command name used to invoke the program. The following elements are the command-line arguments given to the program.
val executable_name : string
The name of the file containing the executable currently running.
val file_exists : string -> bool
Test if a file with the given name exists.
val is_directory : string -> bool
Returns true if the given name refers to a directory, false if it refers to another kind of file. Raise Sys_error if no file exists with the given name.
Since 3.10.0
val remove : string -> unit
Remove the given file name from the file system.
val rename : string -> string -> unit
Rename a file. The first argument is the old name and the second is the new name. If there is already another file under the new name, rename may replace it, or raise an exception, depending on your operating system.
val getenv : string -> string
Return the value associated to a variable in the process environment. Raise Not_found if the variable is unbound.
val getenv_opt : string -> string option
Return the value associated to a variable in the process environment or None if the variable is unbound.
Since 4.05
val command : string -> int
Execute the given shell command and return its exit code.
val time : unit -> float
Return the processor time, in seconds, used by the program since the beginning of execution.
val chdir : string -> unit
Change the current working directory of the process.
val getcwd : unit -> string
Return the current working directory of the process.
val readdir : string -> string array
Return the names of all files present in the given directory. Names denoting the current directory and the parent directory ("." and ".." in Unix) are not returned. Each string in the result is a file name rather than a complete path. There is no guarantee that the name strings in the resulting array will appear in any specific order; they are not, in particular, guaranteed to appear in alphabetical order.
val interactive : bool ref
This reference is initially set to false in standalone programs and to true if the code is being executed under the interactive toplevel system ocaml.
val os_type : string
Operating system currently executing the OCaml program. One of
type backend_type = 
| Native
| Bytecode
| Other of string
Currently, the official distribution only supports Native and Bytecode, but it can be other backends with alternative compilers, for example, javascript.
Since 4.04.0
val backend_type : backend_type
Backend type currently executing the OCaml program.
Since 4.04.0
val unix : bool
True if Sys.os_type = "Unix".
Since 4.01.0
val win32 : bool
True if Sys.os_type = "Win32".
Since 4.01.0
val cygwin : bool
True if Sys.os_type = "Cygwin".
Since 4.01.0
val word_size : int
Size of one word on the machine currently executing the OCaml program, in bits: 32 or 64.
val int_size : int
Size of an int. It is 31 bits (resp. 63 bits) when using the OCaml compiler on a 32 bits (resp. 64 bits) platform. It may differ for other compilers, e.g. it is 32 bits when compiling to JavaScript.
Since 4.03.0
val big_endian : bool
Whether the machine currently executing the Caml program is big-endian.
Since 4.00.0
val max_string_length : int
Maximum length of strings and byte sequences.
val max_array_length : int
Maximum length of a normal array. The maximum length of a float array is max_array_length/2 on 32-bit machines and max_array_length on 64-bit machines.
val runtime_variant : unit -> string
Return the name of the runtime variant the program is running on. This is normally the argument given to -runtime-variant at compile time, but for byte-code it can be changed after compilation.
Since 4.03.0
val runtime_parameters : unit -> string
Return the value of the runtime parameters, in the same format as the contents of the OCAMLRUNPARAM environment variable.
Since 4.03.0

Signal handling

type signal_behavior = 
| Signal_default
| Signal_ignore
| Signal_handle of (int -> unit)
What to do when receiving a signal:
val signal : int -> signal_behavior -> signal_behavior
Set the behavior of the system on receipt of a given signal. The first argument is the signal number. Return the behavior previously associated with the signal. If the signal number is invalid (or not available on your system), an Invalid_argument exception is raised.
val set_signal : int -> signal_behavior -> unit
Same as Sys.signal but return value is ignored.

Signal numbers for the standard POSIX signals.

val sigabrt : int
Abnormal termination
val sigalrm : int
Timeout
val sigfpe : int
Arithmetic exception
val sighup : int
Hangup on controlling terminal
val sigill : int
Invalid hardware instruction
val sigint : int
Interactive interrupt (ctrl-C)
val sigkill : int
Termination (cannot be ignored)
val sigpipe : int
Broken pipe
val sigquit : int
Interactive termination
val sigsegv : int
Invalid memory reference
val sigterm : int
Termination
val sigusr1 : int
Application-defined signal 1
val sigusr2 : int
Application-defined signal 2
val sigchld : int
Child process terminated
val sigcont : int
Continue
val sigstop : int
Stop
val sigtstp : int
Interactive stop
val sigttin : int
Terminal read from background process
val sigttou : int
Terminal write from background process
val sigvtalrm : int
Timeout in virtual time
val sigprof : int
Profiling interrupt
val sigbus : int
Bus error
Since 4.03
val sigpoll : int
Pollable event
Since 4.03
val sigsys : int
Bad argument to routine
Since 4.03
val sigtrap : int
Trace/breakpoint trap
Since 4.03
val sigurg : int
Urgent condition on socket
Since 4.03
val sigxcpu : int
Timeout in cpu time
Since 4.03
val sigxfsz : int
File size limit exceeded
Since 4.03
exception Break
Exception raised on interactive interrupt if Sys.catch_break is on.
val catch_break : bool -> unit
catch_break governs whether interactive interrupt (ctrl-C) terminates the program or raises the Break exception. Call catch_break true to enable raising Break, and catch_break false to let the system terminate the program on user interrupt.
val ocaml_version : string
ocaml_version is the version of OCaml. It is a string of the form "major.minor[.patchlevel][+additional-info]", where major, minor, and patchlevel are integers, and additional-info is an arbitrary string. The [.patchlevel] and [+additional-info] parts may be absent.
val enable_runtime_warnings : bool -> unit
Control whether the OCaml runtime system can emit warnings on stderr. Currently, the only supported warning is triggered when a channel created by open_* functions is finalized without being closed. Runtime warnings are enabled by default.
Since 4.03.0
val runtime_warnings_enabled : unit -> bool
Return whether runtime warnings are currently enabled.
Since 4.03.0

Optimization

val opaque_identity : 'a -> 'a
For the purposes of optimization, opaque_identity behaves like an unknown (and thus possibly side-effecting) function.

At runtime, opaque_identity disappears altogether.

A typical use of this function is to prevent pure computations from being optimized away in benchmarking loops. For example:

      for _round = 1 to 100_000 do
        ignore (Sys.opaque_identity (my_pure_computation ()))
      done
    

Since 4.03.0
ocaml-doc-4.05/ocaml.html/libref/Ephemeron.K1.Make.html0000644000175000017500000002176113131636443021510 0ustar mehdimehdi Ephemeron.K1.Make

Functor Ephemeron.K1.Make

module Make: 
functor (H : Hashtbl.HashedType-> Ephemeron.S with type key = H.t
Functor building an implementation of a weak hash table
Parameters:
H : Hashtbl.HashedType


Propose the same interface as usual hash table. However since the bindings are weak, even if mem h k is true, a subsequent find h k may raise Not_found because the garbage collector can run between the two.

Moreover, the table shouldn't be modified during a call to iter. Use filter_map_inplace in this case.

include Hashtbl.S
val clean : 'a t -> unit
remove all dead bindings. Done automatically during automatic resizing.
val stats_alive : 'a t -> Hashtbl.statistics
same as Hashtbl.SeededS.stats but only count the alive bindings
ocaml-doc-4.05/ocaml.html/libref/Ast_helper.Incl.html0000644000175000017500000001677013131636441021414 0ustar mehdimehdi Ast_helper.Incl

Module Ast_helper.Incl

module Incl: sig .. end
Includes

val mk : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
?docs:Docstrings.docs -> 'a -> 'a Parsetree.include_infos
ocaml-doc-4.05/ocaml.html/libref/type_Clflags.Int_arg_helper.html0000644000175000017500000001763313131636443024000 0ustar mehdimehdi Clflags.Int_arg_helper sig
  type parsed
  val parse :
    string -> string -> Clflags.Int_arg_helper.parsed Pervasives.ref -> unit
  type parse_result = Ok | Parse_failed of exn
  val parse_no_error :
    string ->
    Clflags.Int_arg_helper.parsed Pervasives.ref ->
    Clflags.Int_arg_helper.parse_result
  val get : key:int -> Clflags.Int_arg_helper.parsed -> int
end
ocaml-doc-4.05/ocaml.html/libref/Printast.html0000644000175000017500000002077113131636450020242 0ustar mehdimehdi Printast

Module Printast

module Printast: sig .. end

val interface : Format.formatter -> Parsetree.signature_item list -> unit
val implementation : Format.formatter -> Parsetree.structure_item list -> unit
val top_phrase : Format.formatter -> Parsetree.toplevel_phrase -> unit
val expression : int -> Format.formatter -> Parsetree.expression -> unit
val structure : int -> Format.formatter -> Parsetree.structure -> unit
val payload : int -> Format.formatter -> Parsetree.payload -> unit
ocaml-doc-4.05/ocaml.html/libref/Weak.S.html0000644000175000017500000003315513131636452017530 0ustar mehdimehdi Weak.S

Module type Weak.S

module type S = sig .. end
The output signature of the functor Weak.Make.

type data 
The type of the elements stored in the table.
type t 
The type of tables that contain elements of type data. Note that weak hash sets cannot be marshaled using output_value or the functions of the Marshal module.
val create : int -> t
create n creates a new empty weak hash set, of initial size n. The table will grow as needed.
val clear : t -> unit
Remove all elements from the table.
val merge : t -> data -> data
merge t x returns an instance of x found in t if any, or else adds x to t and return x.
val add : t -> data -> unit
add t x adds x to t. If there is already an instance of x in t, it is unspecified which one will be returned by subsequent calls to find and merge.
val remove : t -> data -> unit
remove t x removes from t one instance of x. Does nothing if there is no instance of x in t.
val find : t -> data -> data
find t x returns an instance of x found in t. Raise Not_found if there is no such element.
val find_opt : t -> data -> data option
find_opt t x returns an instance of x found in t or None if there is no such element.
Since 4.05
val find_all : t -> data -> data list
find_all t x returns a list of all the instances of x found in t.
val mem : t -> data -> bool
mem t x returns true if there is at least one instance of x in t, false otherwise.
val iter : (data -> unit) -> t -> unit
iter f t calls f on each element of t, in some unspecified order. It is not specified what happens if f tries to change t itself.
val fold : (data -> 'a -> 'a) -> t -> 'a -> 'a
fold f t init computes (f d1 (... (f dN init))) where d1 ... dN are the elements of t in some unspecified order. It is not specified what happens if f tries to change t itself.
val count : t -> int
Count the number of elements in the table. count t gives the same result as fold (fun _ n -> n+1) t 0 but does not delay the deallocation of the dead elements.
val stats : t -> int * int * int * int * int * int
Return statistics on the table. The numbers are, in order: table length, number of entries, sum of bucket lengths, smallest bucket length, median bucket length, biggest bucket length.
ocaml-doc-4.05/ocaml.html/libref/type_Tbl.html0000644000175000017500000002604113131636451020215 0ustar mehdimehdi Tbl sig
  type ('a, 'b) t
  val empty : ('a, 'b) Tbl.t
  val add : '-> '-> ('a, 'b) Tbl.t -> ('a, 'b) Tbl.t
  val find : '-> ('a, 'b) Tbl.t -> 'b
  val mem : '-> ('a, 'b) Tbl.t -> bool
  val remove : '-> ('a, 'b) Tbl.t -> ('a, 'b) Tbl.t
  val iter : ('-> '-> unit) -> ('a, 'b) Tbl.t -> unit
  val map : ('-> '-> 'c) -> ('a, 'b) Tbl.t -> ('a, 'c) Tbl.t
  val fold : ('-> '-> '-> 'c) -> ('a, 'b) Tbl.t -> '-> 'c
  val print :
    (Format.formatter -> '-> unit) ->
    (Format.formatter -> '-> unit) ->
    Format.formatter -> ('a, 'b) Tbl.t -> unit
end
ocaml-doc-4.05/ocaml.html/libref/Tbl.html0000644000175000017500000002151413131636451017154 0ustar mehdimehdi Tbl

Module Tbl

module Tbl: sig .. end

type ('a, 'b) t 
val empty : ('a, 'b) t
val add : 'a -> 'b -> ('a, 'b) t -> ('a, 'b) t
val find : 'a -> ('a, 'b) t -> 'b
val mem : 'a -> ('a, 'b) t -> bool
val remove : 'a -> ('a, 'b) t -> ('a, 'b) t
val iter : ('a -> 'b -> unit) -> ('a, 'b) t -> unit
val map : ('a -> 'b -> 'c) -> ('a, 'b) t -> ('a, 'c) t
val fold : ('a -> 'b -> 'c -> 'c) -> ('a, 'b) t -> 'c -> 'c
val print : (Format.formatter -> 'a -> unit) ->
(Format.formatter -> 'b -> unit) ->
Format.formatter -> ('a, 'b) t -> unit
ocaml-doc-4.05/ocaml.html/libref/CamlinternalLazy.html0000644000175000017500000001761013131636443021707 0ustar mehdimehdi CamlinternalLazy

Module CamlinternalLazy

module CamlinternalLazy: sig .. end
Run-time support for lazy values. All functions in this module are for system use only, not for the casual user.

exception Undefined
val force_lazy_block : 'a lazy_t -> 'a
val force_val_lazy_block : 'a lazy_t -> 'a
val force : 'a lazy_t -> 'a
val force_val : 'a lazy_t -> 'a
ocaml-doc-4.05/ocaml.html/libref/type_Ephemeron.GenHashTable.MakeSeeded.html0000644000175000017500000004014413131636443025671 0ustar mehdimehdi Ephemeron.GenHashTable.MakeSeeded functor
  (H : sig
         type t
         type 'a container
         val hash : int -> Ephemeron.GenHashTable.MakeSeeded.t -> int
         val equal :
           'Ephemeron.GenHashTable.MakeSeeded.container ->
           Ephemeron.GenHashTable.MakeSeeded.t ->
           Ephemeron.GenHashTable.equal
         val create :
           Ephemeron.GenHashTable.MakeSeeded.t ->
           '-> 'Ephemeron.GenHashTable.MakeSeeded.container
         val get_key :
           'Ephemeron.GenHashTable.MakeSeeded.container ->
           Ephemeron.GenHashTable.MakeSeeded.t option
         val get_data :
           'Ephemeron.GenHashTable.MakeSeeded.container -> 'a option
         val set_key_data :
           'Ephemeron.GenHashTable.MakeSeeded.container ->
           Ephemeron.GenHashTable.MakeSeeded.t -> '-> unit
         val check_key :
           'Ephemeron.GenHashTable.MakeSeeded.container -> bool
       end->
  sig
    type key = H.t
    type 'a t
    val create : ?random:bool -> int -> 'a t
    val clear : 'a t -> unit
    val reset : 'a t -> unit
    val copy : 'a t -> 'a t
    val add : 'a t -> key -> '-> unit
    val remove : 'a t -> key -> unit
    val find : 'a t -> key -> 'a
    val find_opt : 'a t -> key -> 'a option
    val find_all : 'a t -> key -> 'a list
    val replace : 'a t -> key -> '-> unit
    val mem : 'a t -> key -> bool
    val iter : (key -> '-> unit) -> 'a t -> unit
    val filter_map_inplace : (key -> '-> 'a option) -> 'a t -> unit
    val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
    val length : 'a t -> int
    val stats : 'a t -> Hashtbl.statistics
    val clean : 'a t -> unit
    val stats_alive : 'a t -> Hashtbl.statistics
  end
ocaml-doc-4.05/ocaml.html/libref/Identifiable.Make.html0000644000175000017500000002140213131636444021664 0ustar mehdimehdi Identifiable.Make

Functor Identifiable.Make

module Make: 
functor (T : Thing-> S with type t := T.t
Parameters:
T : Thing

type t 
module T: Identifiable.Thing  with type t = t
include Identifiable.Thing
module Set: sig .. end
module Map: sig .. end
module Tbl: sig .. end
ocaml-doc-4.05/ocaml.html/libref/Identifiable.Thing.html0000644000175000017500000001731413131636444022067 0ustar mehdimehdi Identifiable.Thing

Module type Identifiable.Thing

module type Thing = sig .. end

type t 
include Hashtbl.HashedType
include Map.OrderedType
val output : out_channel -> t -> unit
val print : Format.formatter -> t -> unit
ocaml-doc-4.05/ocaml.html/libref/type_Ast_helper.Sig.html0000644000175000017500000003040713131636441022303 0ustar mehdimehdi Ast_helper.Sig sig
  val mk :
    ?loc:Ast_helper.loc ->
    Parsetree.signature_item_desc -> Parsetree.signature_item
  val value :
    ?loc:Ast_helper.loc ->
    Parsetree.value_description -> Parsetree.signature_item
  val type_ :
    ?loc:Ast_helper.loc ->
    Asttypes.rec_flag ->
    Parsetree.type_declaration list -> Parsetree.signature_item
  val type_extension :
    ?loc:Ast_helper.loc ->
    Parsetree.type_extension -> Parsetree.signature_item
  val exception_ :
    ?loc:Ast_helper.loc ->
    Parsetree.extension_constructor -> Parsetree.signature_item
  val module_ :
    ?loc:Ast_helper.loc ->
    Parsetree.module_declaration -> Parsetree.signature_item
  val rec_module :
    ?loc:Ast_helper.loc ->
    Parsetree.module_declaration list -> Parsetree.signature_item
  val modtype :
    ?loc:Ast_helper.loc ->
    Parsetree.module_type_declaration -> Parsetree.signature_item
  val open_ :
    ?loc:Ast_helper.loc ->
    Parsetree.open_description -> Parsetree.signature_item
  val include_ :
    ?loc:Ast_helper.loc ->
    Parsetree.include_description -> Parsetree.signature_item
  val class_ :
    ?loc:Ast_helper.loc ->
    Parsetree.class_description list -> Parsetree.signature_item
  val class_type :
    ?loc:Ast_helper.loc ->
    Parsetree.class_type_declaration list -> Parsetree.signature_item
  val extension :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Parsetree.extension -> Parsetree.signature_item
  val attribute :
    ?loc:Ast_helper.loc -> Parsetree.attribute -> Parsetree.signature_item
  val text : Docstrings.text -> Parsetree.signature_item list
end
ocaml-doc-4.05/ocaml.html/libref/Ast_helper.Ci.html0000644000175000017500000001754613131636441021064 0ustar mehdimehdi Ast_helper.Ci

Module Ast_helper.Ci

module Ci: sig .. end
Classes

val mk : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
?docs:Docstrings.docs ->
?text:Docstrings.text ->
?virt:Asttypes.virtual_flag ->
?params:(Parsetree.core_type * Asttypes.variance) list ->
Ast_helper.str -> 'a -> 'a Parsetree.class_infos
ocaml-doc-4.05/ocaml.html/libref/type_Ast_helper.Ctf.html0000644000175000017500000002656113131636441022303 0ustar mehdimehdi Ast_helper.Ctf sig
  val mk :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    ?docs:Docstrings.docs ->
    Parsetree.class_type_field_desc -> Parsetree.class_type_field
  val attr :
    Parsetree.class_type_field ->
    Parsetree.attribute -> Parsetree.class_type_field
  val inherit_ :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Parsetree.class_type -> Parsetree.class_type_field
  val val_ :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Ast_helper.str ->
    Asttypes.mutable_flag ->
    Asttypes.virtual_flag ->
    Parsetree.core_type -> Parsetree.class_type_field
  val method_ :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Ast_helper.str ->
    Asttypes.private_flag ->
    Asttypes.virtual_flag ->
    Parsetree.core_type -> Parsetree.class_type_field
  val constraint_ :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Parsetree.core_type -> Parsetree.core_type -> Parsetree.class_type_field
  val extension :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Parsetree.extension -> Parsetree.class_type_field
  val attribute :
    ?loc:Ast_helper.loc -> Parsetree.attribute -> Parsetree.class_type_field
  val text : Docstrings.text -> Parsetree.class_type_field list
end
ocaml-doc-4.05/ocaml.html/libref/type_Hashtbl.html0000644000175000017500000012340713131636444021067 0ustar mehdimehdi Hashtbl sig
  type ('a, 'b) t
  val create : ?random:bool -> int -> ('a, 'b) Hashtbl.t
  val clear : ('a, 'b) Hashtbl.t -> unit
  val reset : ('a, 'b) Hashtbl.t -> unit
  val copy : ('a, 'b) Hashtbl.t -> ('a, 'b) Hashtbl.t
  val add : ('a, 'b) Hashtbl.t -> '-> '-> unit
  val find : ('a, 'b) Hashtbl.t -> '-> 'b
  val find_opt : ('a, 'b) Hashtbl.t -> '-> 'b option
  val find_all : ('a, 'b) Hashtbl.t -> '-> 'b list
  val mem : ('a, 'b) Hashtbl.t -> '-> bool
  val remove : ('a, 'b) Hashtbl.t -> '-> unit
  val replace : ('a, 'b) Hashtbl.t -> '-> '-> unit
  val iter : ('-> '-> unit) -> ('a, 'b) Hashtbl.t -> unit
  val filter_map_inplace :
    ('-> '-> 'b option) -> ('a, 'b) Hashtbl.t -> unit
  val fold : ('-> '-> '-> 'c) -> ('a, 'b) Hashtbl.t -> '-> 'c
  val length : ('a, 'b) Hashtbl.t -> int
  val randomize : unit -> unit
  val is_randomized : unit -> bool
  type statistics = {
    num_bindings : int;
    num_buckets : int;
    max_bucket_length : int;
    bucket_histogram : int array;
  }
  val stats : ('a, 'b) Hashtbl.t -> Hashtbl.statistics
  module type HashedType =
    sig
      type t
      val equal : Hashtbl.HashedType.t -> Hashtbl.HashedType.t -> bool
      val hash : Hashtbl.HashedType.t -> int
    end
  module type S =
    sig
      type key
      type 'a t
      val create : int -> 'Hashtbl.S.t
      val clear : 'Hashtbl.S.t -> unit
      val reset : 'Hashtbl.S.t -> unit
      val copy : 'Hashtbl.S.t -> 'Hashtbl.S.t
      val add : 'Hashtbl.S.t -> Hashtbl.S.key -> '-> unit
      val remove : 'Hashtbl.S.t -> Hashtbl.S.key -> unit
      val find : 'Hashtbl.S.t -> Hashtbl.S.key -> 'a
      val find_opt : 'Hashtbl.S.t -> Hashtbl.S.key -> 'a option
      val find_all : 'Hashtbl.S.t -> Hashtbl.S.key -> 'a list
      val replace : 'Hashtbl.S.t -> Hashtbl.S.key -> '-> unit
      val mem : 'Hashtbl.S.t -> Hashtbl.S.key -> bool
      val iter : (Hashtbl.S.key -> '-> unit) -> 'Hashtbl.S.t -> unit
      val filter_map_inplace :
        (Hashtbl.S.key -> '-> 'a option) -> 'Hashtbl.S.t -> unit
      val fold :
        (Hashtbl.S.key -> '-> '-> 'b) -> 'Hashtbl.S.t -> '-> 'b
      val length : 'Hashtbl.S.t -> int
      val stats : 'Hashtbl.S.t -> Hashtbl.statistics
    end
  module Make :
    functor (H : HashedType->
      sig
        type key = H.t
        type 'a t
        val create : int -> 'a t
        val clear : 'a t -> unit
        val reset : 'a t -> unit
        val copy : 'a t -> 'a t
        val add : 'a t -> key -> '-> unit
        val remove : 'a t -> key -> unit
        val find : 'a t -> key -> 'a
        val find_opt : 'a t -> key -> 'a option
        val find_all : 'a t -> key -> 'a list
        val replace : 'a t -> key -> '-> unit
        val mem : 'a t -> key -> bool
        val iter : (key -> '-> unit) -> 'a t -> unit
        val filter_map_inplace : (key -> '-> 'a option) -> 'a t -> unit
        val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
        val length : 'a t -> int
        val stats : 'a t -> statistics
      end
  module type SeededHashedType =
    sig
      type t
      val equal :
        Hashtbl.SeededHashedType.t -> Hashtbl.SeededHashedType.t -> bool
      val hash : int -> Hashtbl.SeededHashedType.t -> int
    end
  module type SeededS =
    sig
      type key
      type 'a t
      val create : ?random:bool -> int -> 'Hashtbl.SeededS.t
      val clear : 'Hashtbl.SeededS.t -> unit
      val reset : 'Hashtbl.SeededS.t -> unit
      val copy : 'Hashtbl.SeededS.t -> 'Hashtbl.SeededS.t
      val add : 'Hashtbl.SeededS.t -> Hashtbl.SeededS.key -> '-> unit
      val remove : 'Hashtbl.SeededS.t -> Hashtbl.SeededS.key -> unit
      val find : 'Hashtbl.SeededS.t -> Hashtbl.SeededS.key -> 'a
      val find_opt : 'Hashtbl.SeededS.t -> Hashtbl.SeededS.key -> 'a option
      val find_all : 'Hashtbl.SeededS.t -> Hashtbl.SeededS.key -> 'a list
      val replace : 'Hashtbl.SeededS.t -> Hashtbl.SeededS.key -> '-> unit
      val mem : 'Hashtbl.SeededS.t -> Hashtbl.SeededS.key -> bool
      val iter :
        (Hashtbl.SeededS.key -> '-> unit) -> 'Hashtbl.SeededS.t -> unit
      val filter_map_inplace :
        (Hashtbl.SeededS.key -> '-> 'a option) ->
        'Hashtbl.SeededS.t -> unit
      val fold :
        (Hashtbl.SeededS.key -> '-> '-> 'b) ->
        'Hashtbl.SeededS.t -> '-> 'b
      val length : 'Hashtbl.SeededS.t -> int
      val stats : 'Hashtbl.SeededS.t -> Hashtbl.statistics
    end
  module MakeSeeded :
    functor (H : SeededHashedType->
      sig
        type key = H.t
        type 'a t
        val create : ?random:bool -> int -> 'a t
        val clear : 'a t -> unit
        val reset : 'a t -> unit
        val copy : 'a t -> 'a t
        val add : 'a t -> key -> '-> unit
        val remove : 'a t -> key -> unit
        val find : 'a t -> key -> 'a
        val find_opt : 'a t -> key -> 'a option
        val find_all : 'a t -> key -> 'a list
        val replace : 'a t -> key -> '-> unit
        val mem : 'a t -> key -> bool
        val iter : (key -> '-> unit) -> 'a t -> unit
        val filter_map_inplace : (key -> '-> 'a option) -> 'a t -> unit
        val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
        val length : 'a t -> int
        val stats : 'a t -> statistics
      end
  val hash : '-> int
  val seeded_hash : int -> '-> int
  val hash_param : int -> int -> '-> int
  val seeded_hash_param : int -> int -> int -> '-> int
end
ocaml-doc-4.05/ocaml.html/libref/Nativeint.html0000644000175000017500000005007413131636447020404 0ustar mehdimehdi Nativeint

Module Nativeint

module Nativeint: sig .. end
Processor-native integers.

This module provides operations on the type nativeint of signed 32-bit integers (on 32-bit platforms) or signed 64-bit integers (on 64-bit platforms). This integer type has exactly the same width as that of a pointer type in the C compiler. All arithmetic operations over nativeint are taken modulo 232 or 264 depending on the word size of the architecture.

Performance notice: values of type nativeint occupy more memory space than values of type int, and arithmetic operations on nativeint are generally slower than those on int. Use nativeint only when the application requires the extra bit of precision over the int type.


val zero : nativeint
The native integer 0.
val one : nativeint
The native integer 1.
val minus_one : nativeint
The native integer -1.
val neg : nativeint -> nativeint
Unary negation.
val add : nativeint -> nativeint -> nativeint
Addition.
val sub : nativeint -> nativeint -> nativeint
Subtraction.
val mul : nativeint -> nativeint -> nativeint
Multiplication.
val div : nativeint -> nativeint -> nativeint
Integer division. Raise Division_by_zero if the second argument is zero. This division rounds the real quotient of its arguments towards zero, as specified for (/).
val rem : nativeint -> nativeint -> nativeint
Integer remainder. If y is not zero, the result of Nativeint.rem x y satisfies the following properties: Nativeint.zero <= Nativeint.rem x y < Nativeint.abs y and x = Nativeint.add (Nativeint.mul (Nativeint.div x y) y)
                      (Nativeint.rem x y)
. If y = 0, Nativeint.rem x y raises Division_by_zero.
val succ : nativeint -> nativeint
Successor. Nativeint.succ x is Nativeint.add x Nativeint.one.
val pred : nativeint -> nativeint
Predecessor. Nativeint.pred x is Nativeint.sub x Nativeint.one.
val abs : nativeint -> nativeint
Return the absolute value of its argument.
val size : int
The size in bits of a native integer. This is equal to 32 on a 32-bit platform and to 64 on a 64-bit platform.
val max_int : nativeint
The greatest representable native integer, either 231 - 1 on a 32-bit platform, or 263 - 1 on a 64-bit platform.
val min_int : nativeint
The smallest representable native integer, either -231 on a 32-bit platform, or -263 on a 64-bit platform.
val logand : nativeint -> nativeint -> nativeint
Bitwise logical and.
val logor : nativeint -> nativeint -> nativeint
Bitwise logical or.
val logxor : nativeint -> nativeint -> nativeint
Bitwise logical exclusive or.
val lognot : nativeint -> nativeint
Bitwise logical negation
val shift_left : nativeint -> int -> nativeint
Nativeint.shift_left x y shifts x to the left by y bits. The result is unspecified if y < 0 or y >= bitsize, where bitsize is 32 on a 32-bit platform and 64 on a 64-bit platform.
val shift_right : nativeint -> int -> nativeint
Nativeint.shift_right x y shifts x to the right by y bits. This is an arithmetic shift: the sign bit of x is replicated and inserted in the vacated bits. The result is unspecified if y < 0 or y >= bitsize.
val shift_right_logical : nativeint -> int -> nativeint
Nativeint.shift_right_logical x y shifts x to the right by y bits. This is a logical shift: zeroes are inserted in the vacated bits regardless of the sign of x. The result is unspecified if y < 0 or y >= bitsize.
val of_int : int -> nativeint
Convert the given integer (type int) to a native integer (type nativeint).
val to_int : nativeint -> int
Convert the given native integer (type nativeint) to an integer (type int). The high-order bit is lost during the conversion.
val of_float : float -> nativeint
Convert the given floating-point number to a native integer, discarding the fractional part (truncate towards 0). The result of the conversion is undefined if, after truncation, the number is outside the range [Nativeint.min_int, Nativeint.max_int].
val to_float : nativeint -> float
Convert the given native integer to a floating-point number.
val of_int32 : int32 -> nativeint
Convert the given 32-bit integer (type int32) to a native integer.
val to_int32 : nativeint -> int32
Convert the given native integer to a 32-bit integer (type int32). On 64-bit platforms, the 64-bit native integer is taken modulo 232, i.e. the top 32 bits are lost. On 32-bit platforms, the conversion is exact.
val of_string : string -> nativeint
Convert the given string to a native integer. The string is read in decimal (by default) or in hexadecimal, octal or binary if the string begins with 0x, 0o or 0b respectively. Raise Failure "int_of_string" if the given string is not a valid representation of an integer, or if the integer represented exceeds the range of integers representable in type nativeint.
val of_string_opt : string -> nativeint option
Same as of_string, but return None instead of raising.
Since 4.05
val to_string : nativeint -> string
Return the string representation of its argument, in decimal.
type t = nativeint 
An alias for the type of native integers.
val compare : t -> t -> int
The comparison function for native integers, with the same specification as compare. Along with the type t, this function compare allows the module Nativeint to be passed as argument to the functors Set.Make and Map.Make.
val equal : t -> t -> bool
The equal function for native ints.
Since 4.03.0
ocaml-doc-4.05/ocaml.html/libref/type_Misc.Int_literal_converter.html0000644000175000017500000001573013131636446024732 0ustar mehdimehdi Misc.Int_literal_converter sig
  val int : string -> int
  val int32 : string -> int32
  val int64 : string -> int64
  val nativeint : string -> nativeint
end
ocaml-doc-4.05/ocaml.html/libref/type_MoreLabels.Hashtbl.Make.html0000644000175000017500000002647313131636446023776 0ustar mehdimehdi MoreLabels.Hashtbl.Make functor (H : HashedType->
  sig
    type key = H.t
    and 'a t
    val create : int -> 'a t
    val clear : 'a t -> unit
    val reset : 'a t -> unit
    val copy : 'a t -> 'a t
    val add : 'a t -> key:key -> data:'-> unit
    val remove : 'a t -> key -> unit
    val find : 'a t -> key -> 'a
    val find_opt : 'a t -> key -> 'a option
    val find_all : 'a t -> key -> 'a list
    val replace : 'a t -> key:key -> data:'-> unit
    val mem : 'a t -> key -> bool
    val iter : f:(key:key -> data:'-> unit) -> 'a t -> unit
    val filter_map_inplace :
      f:(key:key -> data:'-> 'a option) -> 'a t -> unit
    val fold : f:(key:key -> data:'-> '-> 'b) -> 'a t -> init:'-> 'b
    val length : 'a t -> int
    val stats : 'a t -> statistics
  end
ocaml-doc-4.05/ocaml.html/libref/Pervasives.html0000644000175000017500000030640113131636450020562 0ustar mehdimehdi Pervasives

Module Pervasives

module Pervasives: sig .. end
The initially opened module.

This module provides the basic operations over the built-in types (numbers, booleans, byte sequences, strings, exceptions, references, lists, arrays, input-output channels, ...).

This module is automatically opened at the beginning of each compilation. All components of this module can therefore be referred by their short name, without prefixing them by Pervasives.



Exceptions

val raise : exn -> 'a
Raise the given exception value
val raise_notrace : exn -> 'a
A faster version raise which does not record the backtrace.
Since 4.02.0
val invalid_arg : string -> 'a
Raise exception Invalid_argument with the given string.
val failwith : string -> 'a
Raise exception Failure with the given string.
exception Exit
The Exit exception is not raised by any library function. It is provided for use in your programs.

Comparisons

val (=) : 'a -> 'a -> bool
e1 = e2 tests for structural equality of e1 and e2. Mutable structures (e.g. references and arrays) are equal if and only if their current contents are structurally equal, even if the two mutable objects are not the same physical object. Equality between functional values raises Invalid_argument. Equality between cyclic data structures may not terminate.
val (<>) : 'a -> 'a -> bool
Negation of (=).
val (<) : 'a -> 'a -> bool
See (>=).
val (>) : 'a -> 'a -> bool
See (>=).
val (<=) : 'a -> 'a -> bool
See (>=).
val (>=) : 'a -> 'a -> bool
Structural ordering functions. These functions coincide with the usual orderings over integers, characters, strings, byte sequences and floating-point numbers, and extend them to a total ordering over all types. The ordering is compatible with ( = ). As in the case of ( = ), mutable structures are compared by contents. Comparison between functional values raises Invalid_argument. Comparison between cyclic structures may not terminate.
val compare : 'a -> 'a -> int
compare x y returns 0 if x is equal to y, a negative integer if x is less than y, and a positive integer if x is greater than y. The ordering implemented by compare is compatible with the comparison predicates =, < and > defined above, with one difference on the treatment of the float value nan. Namely, the comparison predicates treat nan as different from any other float value, including itself; while compare treats nan as equal to itself and less than any other float value. This treatment of nan ensures that compare defines a total ordering relation.

compare applied to functional values may raise Invalid_argument. compare applied to cyclic structures may not terminate.

The compare function can be used as the comparison function required by the Set.Make and Map.Make functors, as well as the List.sort and Array.sort functions.

val min : 'a -> 'a -> 'a
Return the smaller of the two arguments. The result is unspecified if one of the arguments contains the float value nan.
val max : 'a -> 'a -> 'a
Return the greater of the two arguments. The result is unspecified if one of the arguments contains the float value nan.
val (==) : 'a -> 'a -> bool
e1 == e2 tests for physical equality of e1 and e2. On mutable types such as references, arrays, byte sequences, records with mutable fields and objects with mutable instance variables, e1 == e2 is true if and only if physical modification of e1 also affects e2. On non-mutable types, the behavior of ( == ) is implementation-dependent; however, it is guaranteed that e1 == e2 implies compare e1 e2 = 0.
val (!=) : 'a -> 'a -> bool
Negation of (==).

Boolean operations

val not : bool -> bool
The boolean negation.
val (&&) : bool -> bool -> bool
The boolean 'and'. Evaluation is sequential, left-to-right: in e1 && e2, e1 is evaluated first, and if it returns false, e2 is not evaluated at all.
val (&) : bool -> bool -> bool
Deprecated.(&&) should be used instead.
val (||) : bool -> bool -> bool
The boolean 'or'. Evaluation is sequential, left-to-right: in e1 || e2, e1 is evaluated first, and if it returns true, e2 is not evaluated at all.
val (or) : bool -> bool -> bool
Deprecated.(||) should be used instead.

Debugging

val __LOC__ : string
__LOC__ returns the location at which this expression appears in the file currently being parsed by the compiler, with the standard error format of OCaml: "File %S, line %d, characters %d-%d".
Since 4.02.0
val __FILE__ : string
__FILE__ returns the name of the file currently being parsed by the compiler.
Since 4.02.0
val __LINE__ : int
__LINE__ returns the line number at which this expression appears in the file currently being parsed by the compiler.
Since 4.02.0
val __MODULE__ : string
__MODULE__ returns the module name of the file being parsed by the compiler.
Since 4.02.0
val __POS__ : string * int * int * int
__POS__ returns a tuple (file,lnum,cnum,enum), corresponding to the location at which this expression appears in the file currently being parsed by the compiler. file is the current filename, lnum the line number, cnum the character position in the line and enum the last character position in the line.
Since 4.02.0
val __LOC_OF__ : 'a -> string * 'a
__LOC_OF__ expr returns a pair (loc, expr) where loc is the location of expr in the file currently being parsed by the compiler, with the standard error format of OCaml: "File %S, line %d, characters %d-%d".
Since 4.02.0
val __LINE_OF__ : 'a -> int * 'a
__LINE__ expr returns a pair (line, expr), where line is the line number at which the expression expr appears in the file currently being parsed by the compiler.
Since 4.02.0
val __POS_OF__ : 'a -> (string * int * int * int) * 'a
__POS_OF__ expr returns a pair (loc,expr), where loc is a tuple (file,lnum,cnum,enum) corresponding to the location at which the expression expr appears in the file currently being parsed by the compiler. file is the current filename, lnum the line number, cnum the character position in the line and enum the last character position in the line.
Since 4.02.0

Composition operators

val (|>) : 'a -> ('a -> 'b) -> 'b
Reverse-application operator: x |> f |> g is exactly equivalent to g (f (x)).
Since 4.01
val (@@) : ('a -> 'b) -> 'a -> 'b
Application operator: g @@ f @@ x is exactly equivalent to g (f (x)).
Since 4.01

Integer arithmetic


Integers are 31 bits wide (or 63 bits on 64-bit processors). All operations are taken modulo 231 (or 263). They do not fail on overflow.
val (~-) : int -> int
Unary negation. You can also write - e instead of ~- e.
val (~+) : int -> int
Unary addition. You can also write + e instead of ~+ e.
Since 3.12.0
val succ : int -> int
succ x is x + 1.
val pred : int -> int
pred x is x - 1.
val (+) : int -> int -> int
Integer addition.
val (-) : int -> int -> int
Integer subtraction.
val ( * ) : int -> int -> int
Integer multiplication.
val (/) : int -> int -> int
Integer division. Raise Division_by_zero if the second argument is 0. Integer division rounds the real quotient of its arguments towards zero. More precisely, if x >= 0 and y > 0, x / y is the greatest integer less than or equal to the real quotient of x by y. Moreover, (- x) / y = x / (- y) = - (x / y).
val (mod) : int -> int -> int
Integer remainder. If y is not zero, the result of mod y satisfies the following properties: x = (x / y) * y + x mod y and abs(x mod y) <= abs(y) - 1. If y = 0, mod y raises Division_by_zero. Note that mod y is negative only if x < 0. Raise Division_by_zero if y is zero.
val abs : int -> int
Return the absolute value of the argument. Note that this may be negative if the argument is min_int.
val max_int : int
The greatest representable integer.
val min_int : int
The smallest representable integer.

Bitwise operations

val (land) : int -> int -> int
Bitwise logical and.
val (lor) : int -> int -> int
Bitwise logical or.
val (lxor) : int -> int -> int
Bitwise logical exclusive or.
val lnot : int -> int
Bitwise logical negation.
val (lsl) : int -> int -> int
lsl m shifts n to the left by m bits. The result is unspecified if m < 0 or m >= bitsize, where bitsize is 32 on a 32-bit platform and 64 on a 64-bit platform.
val (lsr) : int -> int -> int
lsr m shifts n to the right by m bits. This is a logical shift: zeroes are inserted regardless of the sign of n. The result is unspecified if m < 0 or m >= bitsize.
val (asr) : int -> int -> int
asr m shifts n to the right by m bits. This is an arithmetic shift: the sign bit of n is replicated. The result is unspecified if m < 0 or m >= bitsize.

Floating-point arithmetic

OCaml's floating-point numbers follow the IEEE 754 standard, using double precision (64 bits) numbers. Floating-point operations never raise an exception on overflow, underflow, division by zero, etc. Instead, special IEEE numbers are returned as appropriate, such as infinity for 1.0 /. 0.0, neg_infinity for -1.0 /. 0.0, and nan ('not a number') for 0.0 /. 0.0. These special numbers then propagate through floating-point computations as expected: for instance, 1.0 /. infinity is 0.0, and any arithmetic operation with nan as argument returns nan as result.

val (~-.) : float -> float
Unary negation. You can also write -. e instead of ~-. e.
val (~+.) : float -> float
Unary addition. You can also write +. e instead of ~+. e.
Since 3.12.0
val (+.) : float -> float -> float
Floating-point addition
val (-.) : float -> float -> float
Floating-point subtraction
val ( *. ) : float -> float -> float
Floating-point multiplication
val (/.) : float -> float -> float
Floating-point division.
val ( ** ) : float -> float -> float
Exponentiation.
val sqrt : float -> float
Square root.
val exp : float -> float
Exponential.
val log : float -> float
Natural logarithm.
val log10 : float -> float
Base 10 logarithm.
val expm1 : float -> float
expm1 x computes exp x -. 1.0, giving numerically-accurate results even if x is close to 0.0.
Since 3.12.0
val log1p : float -> float
log1p x computes log(1.0 +. x) (natural logarithm), giving numerically-accurate results even if x is close to 0.0.
Since 3.12.0
val cos : float -> float
Cosine. Argument is in radians.
val sin : float -> float
Sine. Argument is in radians.
val tan : float -> float
Tangent. Argument is in radians.
val acos : float -> float
Arc cosine. The argument must fall within the range [-1.0, 1.0]. Result is in radians and is between 0.0 and pi.
val asin : float -> float
Arc sine. The argument must fall within the range [-1.0, 1.0]. Result is in radians and is between -pi/2 and pi/2.
val atan : float -> float
Arc tangent. Result is in radians and is between -pi/2 and pi/2.
val atan2 : float -> float -> float
atan2 y x returns the arc tangent of y /. x. The signs of x and y are used to determine the quadrant of the result. Result is in radians and is between -pi and pi.
val hypot : float -> float -> float
hypot x y returns sqrt(x *. x + y *. y), that is, the length of the hypotenuse of a right-angled triangle with sides of length x and y, or, equivalently, the distance of the point (x,y) to origin. If one of x or y is infinite, returns infinity even if the other is nan.
Since 4.00.0
val cosh : float -> float
Hyperbolic cosine. Argument is in radians.
val sinh : float -> float
Hyperbolic sine. Argument is in radians.
val tanh : float -> float
Hyperbolic tangent. Argument is in radians.
val ceil : float -> float
Round above to an integer value. ceil f returns the least integer value greater than or equal to f. The result is returned as a float.
val floor : float -> float
Round below to an integer value. floor f returns the greatest integer value less than or equal to f. The result is returned as a float.
val abs_float : float -> float
abs_float f returns the absolute value of f.
val copysign : float -> float -> float
copysign x y returns a float whose absolute value is that of x and whose sign is that of y. If x is nan, returns nan. If y is nan, returns either x or -. x, but it is not specified which.
Since 4.00.0
val mod_float : float -> float -> float
mod_float a b returns the remainder of a with respect to b. The returned value is a -. n *. b, where n is the quotient a /. b rounded towards zero to an integer.
val frexp : float -> float * int
frexp f returns the pair of the significant and the exponent of f. When f is zero, the significant x and the exponent n of f are equal to zero. When f is non-zero, they are defined by f = x *. 2 ** n and 0.5 <= x < 1.0.
val ldexp : float -> int -> float
ldexp x n returns x *. 2 ** n.
val modf : float -> float * float
modf f returns the pair of the fractional and integral part of f.
val float : int -> float
Same as float_of_int.
val float_of_int : int -> float
Convert an integer to floating-point.
val truncate : float -> int
Same as int_of_float.
val int_of_float : float -> int
Truncate the given floating-point number to an integer. The result is unspecified if the argument is nan or falls outside the range of representable integers.
val infinity : float
Positive infinity.
val neg_infinity : float
Negative infinity.
val nan : float
A special floating-point value denoting the result of an undefined operation such as 0.0 /. 0.0. Stands for 'not a number'. Any floating-point operation with nan as argument returns nan as result. As for floating-point comparisons, =, <, <=, > and >= return false and <> returns true if one or both of their arguments is nan.
val max_float : float
The largest positive finite value of type float.
val min_float : float
The smallest positive, non-zero, non-denormalized value of type float.
val epsilon_float : float
The difference between 1.0 and the smallest exactly representable floating-point number greater than 1.0.
type fpclass = 
| FP_normal (*
Normal number, none of the below
*)
| FP_subnormal (*
Number very close to 0.0, has reduced precision
*)
| FP_zero (*
Number is 0.0 or -0.0
*)
| FP_infinite (*
Number is positive or negative infinity
*)
| FP_nan (*
Not a number: result of an undefined operation
*)
The five classes of floating-point numbers, as determined by the classify_float function.
val classify_float : float -> fpclass
Return the class of the given floating-point number: normal, subnormal, zero, infinite, or not a number.

String operations

More string operations are provided in module String.

val (^) : string -> string -> string
String concatenation.

Character operations

More character operations are provided in module Char.

val int_of_char : char -> int
Return the ASCII code of the argument.
val char_of_int : int -> char
Return the character with the given ASCII code. Raise Invalid_argument "char_of_int" if the argument is outside the range 0--255.

Unit operations

val ignore : 'a -> unit
Discard the value of its argument and return (). For instance, ignore(f x) discards the result of the side-effecting function f. It is equivalent to f x; (), except that the latter may generate a compiler warning; writing ignore(f x) instead avoids the warning.

String conversion functions

val string_of_bool : bool -> string
Return the string representation of a boolean. As the returned values may be shared, the user should not modify them directly.
val bool_of_string : string -> bool
Convert the given string to a boolean. Raise Invalid_argument "bool_of_string" if the string is not "true" or "false".
val bool_of_string_opt : string -> bool option
Convert the given string to a boolean. Return None if the string is not "true" or "false".
Since 4.05
val string_of_int : int -> string
Return the string representation of an integer, in decimal.
val int_of_string : string -> int
Convert the given string to an integer. The string is read in decimal (by default), in hexadecimal (if it begins with 0x or 0X), in octal (if it begins with 0o or 0O), or in binary (if it begins with 0b or 0B). The _ (underscore) character can appear anywhere in the string and is ignored. Raise Failure "int_of_string" if the given string is not a valid representation of an integer, or if the integer represented exceeds the range of integers representable in type int.
val int_of_string_opt : string -> int option
Same as int_of_string, but returs None instead of raising.
Since 4.05
val string_of_float : float -> string
Return the string representation of a floating-point number.
val float_of_string : string -> float
Convert the given string to a float. The string is read in decimal (by default) or in hexadecimal (marked by 0x or 0X). The format of decimal floating-point numbers is  [-] dd.ddd (e|E) [+|-] dd , where d stands for a decimal digit. The format of hexadecimal floating-point numbers is  [-] 0(x|X) hh.hhh (p|P) [+|-] dd , where h stands for an hexadecimal digit and d for a decimal digit. In both cases, at least one of the integer and fractional parts must be given; the exponent part is optional. The _ (underscore) character can appear anywhere in the string and is ignored. Depending on the execution platforms, other representations of floating-point numbers can be accepted, but should not be relied upon. Raise Failure "float_of_string" if the given string is not a valid representation of a float.
val float_of_string_opt : string -> float option
Same as float_of_string, but returns None instead of raising.
Since 4.05

Pair operations

val fst : 'a * 'b -> 'a
Return the first component of a pair.
val snd : 'a * 'b -> 'b
Return the second component of a pair.

List operations

More list operations are provided in module List.

val (@) : 'a list -> 'a list -> 'a list
List concatenation. Not tail-recursive (length of the first argument).

Input/output
Note: all input/output functions can raise Sys_error when the system calls they invoke fail.
type in_channel 
The type of input channel.
type out_channel 
The type of output channel.
val stdin : in_channel
The standard input for the process.
val stdout : out_channel
The standard output for the process.
val stderr : out_channel
The standard error output for the process.

Output functions on standard output

val print_char : char -> unit
Print a character on standard output.
val print_string : string -> unit
Print a string on standard output.
val print_bytes : bytes -> unit
Print a byte sequence on standard output.
Since 4.02.0
val print_int : int -> unit
Print an integer, in decimal, on standard output.
val print_float : float -> unit
Print a floating-point number, in decimal, on standard output.
val print_endline : string -> unit
Print a string, followed by a newline character, on standard output and flush standard output.
val print_newline : unit -> unit
Print a newline character on standard output, and flush standard output. This can be used to simulate line buffering of standard output.

Output functions on standard error

val prerr_char : char -> unit
Print a character on standard error.
val prerr_string : string -> unit
Print a string on standard error.
val prerr_bytes : bytes -> unit
Print a byte sequence on standard error.
Since 4.02.0
val prerr_int : int -> unit
Print an integer, in decimal, on standard error.
val prerr_float : float -> unit
Print a floating-point number, in decimal, on standard error.
val prerr_endline : string -> unit
Print a string, followed by a newline character on standard error and flush standard error.
val prerr_newline : unit -> unit
Print a newline character on standard error, and flush standard error.

Input functions on standard input

val read_line : unit -> string
Flush standard output, then read characters from standard input until a newline character is encountered. Return the string of all characters read, without the newline character at the end.
val read_int : unit -> int
Flush standard output, then read one line from standard input and convert it to an integer. Raise Failure "int_of_string" if the line read is not a valid representation of an integer.
val read_int_opt : unit -> int option
Same as read_int_opt, but returs None instead of raising.
Since 4.05
val read_float : unit -> float
Flush standard output, then read one line from standard input and convert it to a floating-point number. The result is unspecified if the line read is not a valid representation of a floating-point number.
val read_float_opt : unit -> float option
Flush standard output, then read one line from standard input and convert it to a floating-point number. Returns None if the line read is not a valid representation of a floating-point number.
Since 4.05.0

General output functions

type open_flag = 
| Open_rdonly (*
open for reading.
*)
| Open_wronly (*
open for writing.
*)
| Open_append (*
open for appending: always write at end of file.
*)
| Open_creat (*
create the file if it does not exist.
*)
| Open_trunc (*
empty the file if it already exists.
*)
| Open_excl (*
fail if Open_creat and the file already exists.
*)
| Open_binary (*
open in binary mode (no conversion).
*)
| Open_text (*
open in text mode (may perform conversions).
*)
| Open_nonblock (*
open in non-blocking mode.
*)
Opening modes for open_out_gen and open_in_gen.
val open_out : string -> out_channel
Open the named file for writing, and return a new output channel on that file, positioned at the beginning of the file. The file is truncated to zero length if it already exists. It is created if it does not already exists.
val open_out_bin : string -> out_channel
Same as open_out, but the file is opened in binary mode, so that no translation takes place during writes. On operating systems that do not distinguish between text mode and binary mode, this function behaves like open_out.
val open_out_gen : open_flag list -> int -> string -> out_channel
open_out_gen mode perm filename opens the named file for writing, as described above. The extra argument mode specifies the opening mode. The extra argument perm specifies the file permissions, in case the file must be created. open_out and open_out_bin are special cases of this function.
val flush : out_channel -> unit
Flush the buffer associated with the given output channel, performing all pending writes on that channel. Interactive programs must be careful about flushing standard output and standard error at the right time.
val flush_all : unit -> unit
Flush all open output channels; ignore errors.
val output_char : out_channel -> char -> unit
Write the character on the given output channel.
val output_string : out_channel -> string -> unit
Write the string on the given output channel.
val output_bytes : out_channel -> bytes -> unit
Write the byte sequence on the given output channel.
Since 4.02.0
val output : out_channel -> bytes -> int -> int -> unit
output oc buf pos len writes len characters from byte sequence buf, starting at offset pos, to the given output channel oc. Raise Invalid_argument "output" if pos and len do not designate a valid range of buf.
val output_substring : out_channel -> string -> int -> int -> unit
Same as output but take a string as argument instead of a byte sequence.
Since 4.02.0
val output_byte : out_channel -> int -> unit
Write one 8-bit integer (as the single character with that code) on the given output channel. The given integer is taken modulo 256.
val output_binary_int : out_channel -> int -> unit
Write one integer in binary format (4 bytes, big-endian) on the given output channel. The given integer is taken modulo 232. The only reliable way to read it back is through the input_binary_int function. The format is compatible across all machines for a given version of OCaml.
val output_value : out_channel -> 'a -> unit
Write the representation of a structured value of any type to a channel. Circularities and sharing inside the value are detected and preserved. The object can be read back, by the function input_value. See the description of module Marshal for more information. output_value is equivalent to Marshal.to_channel with an empty list of flags.
val seek_out : out_channel -> int -> unit
seek_out chan pos sets the current writing position to pos for channel chan. This works only for regular files. On files of other kinds (such as terminals, pipes and sockets), the behavior is unspecified.
val pos_out : out_channel -> int
Return the current writing position for the given channel. Does not work on channels opened with the Open_append flag (returns unspecified results).
val out_channel_length : out_channel -> int
Return the size (number of characters) of the regular file on which the given channel is opened. If the channel is opened on a file that is not a regular file, the result is meaningless.
val close_out : out_channel -> unit
Close the given channel, flushing all buffered write operations. Output functions raise a Sys_error exception when they are applied to a closed output channel, except close_out and flush, which do nothing when applied to an already closed channel. Note that close_out may raise Sys_error if the operating system signals an error when flushing or closing.
val close_out_noerr : out_channel -> unit
Same as close_out, but ignore all errors.
val set_binary_mode_out : out_channel -> bool -> unit
set_binary_mode_out oc true sets the channel oc to binary mode: no translations take place during output. set_binary_mode_out oc false sets the channel oc to text mode: depending on the operating system, some translations may take place during output. For instance, under Windows, end-of-lines will be translated from \n to \r\n. This function has no effect under operating systems that do not distinguish between text mode and binary mode.

General input functions

val open_in : string -> in_channel
Open the named file for reading, and return a new input channel on that file, positioned at the beginning of the file.
val open_in_bin : string -> in_channel
Same as open_in, but the file is opened in binary mode, so that no translation takes place during reads. On operating systems that do not distinguish between text mode and binary mode, this function behaves like open_in.
val open_in_gen : open_flag list -> int -> string -> in_channel
open_in_gen mode perm filename opens the named file for reading, as described above. The extra arguments mode and perm specify the opening mode and file permissions. open_in and open_in_bin are special cases of this function.
val input_char : in_channel -> char
Read one character from the given input channel. Raise End_of_file if there are no more characters to read.
val input_line : in_channel -> string
Read characters from the given input channel, until a newline character is encountered. Return the string of all characters read, without the newline character at the end. Raise End_of_file if the end of the file is reached at the beginning of line.
val input : in_channel -> bytes -> int -> int -> int
input ic buf pos len reads up to len characters from the given channel ic, storing them in byte sequence buf, starting at character number pos. It returns the actual number of characters read, between 0 and len (inclusive). A return value of 0 means that the end of file was reached. A return value between 0 and len exclusive means that not all requested len characters were read, either because no more characters were available at that time, or because the implementation found it convenient to do a partial read; input must be called again to read the remaining characters, if desired. (See also really_input for reading exactly len characters.) Exception Invalid_argument "input" is raised if pos and len do not designate a valid range of buf.
val really_input : in_channel -> bytes -> int -> int -> unit
really_input ic buf pos len reads len characters from channel ic, storing them in byte sequence buf, starting at character number pos. Raise End_of_file if the end of file is reached before len characters have been read. Raise Invalid_argument "really_input" if pos and len do not designate a valid range of buf.
val really_input_string : in_channel -> int -> string
really_input_string ic len reads len characters from channel ic and returns them in a new string. Raise End_of_file if the end of file is reached before len characters have been read.
Since 4.02.0
val input_byte : in_channel -> int
Same as input_char, but return the 8-bit integer representing the character. Raise End_of_file if an end of file was reached.
val input_binary_int : in_channel -> int
Read an integer encoded in binary format (4 bytes, big-endian) from the given input channel. See output_binary_int. Raise End_of_file if an end of file was reached while reading the integer.
val input_value : in_channel -> 'a
Read the representation of a structured value, as produced by output_value, and return the corresponding value. This function is identical to Marshal.from_channel; see the description of module Marshal for more information, in particular concerning the lack of type safety.
val seek_in : in_channel -> int -> unit
seek_in chan pos sets the current reading position to pos for channel chan. This works only for regular files. On files of other kinds, the behavior is unspecified.
val pos_in : in_channel -> int
Return the current reading position for the given channel.
val in_channel_length : in_channel -> int
Return the size (number of characters) of the regular file on which the given channel is opened. If the channel is opened on a file that is not a regular file, the result is meaningless. The returned size does not take into account the end-of-line translations that can be performed when reading from a channel opened in text mode.
val close_in : in_channel -> unit
Close the given channel. Input functions raise a Sys_error exception when they are applied to a closed input channel, except close_in, which does nothing when applied to an already closed channel.
val close_in_noerr : in_channel -> unit
Same as close_in, but ignore all errors.
val set_binary_mode_in : in_channel -> bool -> unit
set_binary_mode_in ic true sets the channel ic to binary mode: no translations take place during input. set_binary_mode_out ic false sets the channel ic to text mode: depending on the operating system, some translations may take place during input. For instance, under Windows, end-of-lines will be translated from \r\n to \n. This function has no effect under operating systems that do not distinguish between text mode and binary mode.

Operations on large files

module LargeFile: sig .. end
Operations on large files.

References

type 'a ref = {
   mutable contents : 'a;
}
The type of references (mutable indirection cells) containing a value of type 'a.
val ref : 'a -> 'a ref
Return a fresh reference containing the given value.
val (!) : 'a ref -> 'a
!r returns the current contents of reference r. Equivalent to fun r -> r.contents.
val (:=) : 'a ref -> 'a -> unit
r := a stores the value of a in reference r. Equivalent to fun r v -> r.contents <- v.
val incr : int ref -> unit
Increment the integer contained in the given reference. Equivalent to fun r -> r := succ !r.
val decr : int ref -> unit
Decrement the integer contained in the given reference. Equivalent to fun r -> r := pred !r.

Result type

type ('a, 'b) result = 
| Ok of 'a
| Error of 'b
Since 4.03.0

Operations on format strings


Format strings are character strings with special lexical conventions that defines the functionality of formatted input/output functions. Format strings are used to read data with formatted input functions from module Scanf and to print data with formatted output functions from modules Printf and Format.

Format strings are made of three kinds of entities:

There is an additional lexical rule to escape the special characters '%' and '@' in format strings: if a special character follows a '%' character, it is treated as a plain character. In other words, "%%" is considered as a plain '%' and "%@" as a plain '@'.

For more information about conversion specifications and formatting indications available, read the documentation of modules Scanf, Printf and Format.

Format strings have a general and highly polymorphic type ('a, 'b, 'c, 'd, 'e, 'f) format6. The two simplified types, format and format4 below are included for backward compatibility with earlier releases of OCaml.

The meaning of format string type parameters is as follows:

Type argument 'b is also the type of the first argument given to user's defined printing functions for %a and %t conversions, and user's defined reading functions for %r conversion.


type ('a, 'b, 'c, 'd, 'e, 'f) format6 = ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.format6 
type ('a, 'b, 'c, 'd) format4 = ('a, 'b, 'c, 'c, 'c, 'd) format6 
type ('a, 'b, 'c) format = ('a, 'b, 'c, 'c) format4 
val string_of_format : ('a, 'b, 'c, 'd, 'e, 'f) format6 -> string
Converts a format string into a string.
val format_of_string : ('a, 'b, 'c, 'd, 'e, 'f) format6 ->
('a, 'b, 'c, 'd, 'e, 'f) format6
format_of_string s returns a format string read from the string literal s. Note: format_of_string can not convert a string argument that is not a literal. If you need this functionality, use the more general Scanf.format_from_string function.
val (^^) : ('a, 'b, 'c, 'd, 'e, 'f) format6 ->
('f, 'b, 'c, 'e, 'g, 'h) format6 ->
('a, 'b, 'c, 'd, 'g, 'h) format6
f1 ^^ f2 catenates format strings f1 and f2. The result is a format string that behaves as the concatenation of format strings f1 and f2: in case of formatted output, it accepts arguments from f1, then arguments from f2; in case of formatted input, it returns results from f1, then results from f2.

Program termination

val exit : int -> 'a
Terminate the process, returning the given status code to the operating system: usually 0 to indicate no errors, and a small positive integer to indicate failure. All open output channels are flushed with flush_all. An implicit exit 0 is performed each time a program terminates normally. An implicit exit 2 is performed if the program terminates early because of an uncaught exception.
val at_exit : (unit -> unit) -> unit
Register the given function to be called at program termination time. The functions registered with at_exit will be called when the program executes exit, or terminates, either normally or because of an uncaught exception. The functions are called in 'last in, first out' order: the function most recently added with at_exit is called first.
ocaml-doc-4.05/ocaml.html/libref/type_Complex.html0000644000175000017500000002437013131636443021107 0ustar mehdimehdi Complex sig
  type t = { re : float; im : float; }
  val zero : Complex.t
  val one : Complex.t
  val i : Complex.t
  val neg : Complex.t -> Complex.t
  val conj : Complex.t -> Complex.t
  val add : Complex.t -> Complex.t -> Complex.t
  val sub : Complex.t -> Complex.t -> Complex.t
  val mul : Complex.t -> Complex.t -> Complex.t
  val inv : Complex.t -> Complex.t
  val div : Complex.t -> Complex.t -> Complex.t
  val sqrt : Complex.t -> Complex.t
  val norm2 : Complex.t -> float
  val norm : Complex.t -> float
  val arg : Complex.t -> float
  val polar : float -> float -> Complex.t
  val exp : Complex.t -> Complex.t
  val log : Complex.t -> Complex.t
  val pow : Complex.t -> Complex.t -> Complex.t
end
ocaml-doc-4.05/ocaml.html/libref/type_Condition.html0000644000175000017500000001635713131636443021434 0ustar mehdimehdi Condition sig
  type t
  val create : unit -> Condition.t
  val wait : Condition.t -> Mutex.t -> unit
  val signal : Condition.t -> unit
  val broadcast : Condition.t -> unit
end
ocaml-doc-4.05/ocaml.html/libref/type_Clflags.html0000644000175000017500000010065713131636443021056 0ustar mehdimehdi Clflags sig
  module Int_arg_helper :
    sig
      type parsed
      val parse :
        string ->
        string -> Clflags.Int_arg_helper.parsed Pervasives.ref -> unit
      type parse_result = Ok | Parse_failed of exn
      val parse_no_error :
        string ->
        Clflags.Int_arg_helper.parsed Pervasives.ref ->
        Clflags.Int_arg_helper.parse_result
      val get : key:int -> Clflags.Int_arg_helper.parsed -> int
    end
  module Float_arg_helper :
    sig
      type parsed
      val parse :
        string ->
        string -> Clflags.Float_arg_helper.parsed Pervasives.ref -> unit
      type parse_result = Ok | Parse_failed of exn
      val parse_no_error :
        string ->
        Clflags.Float_arg_helper.parsed Pervasives.ref ->
        Clflags.Float_arg_helper.parse_result
      val get : key:int -> Clflags.Float_arg_helper.parsed -> float
    end
  type inlining_arguments = {
    inline_call_cost : int option;
    inline_alloc_cost : int option;
    inline_prim_cost : int option;
    inline_branch_cost : int option;
    inline_indirect_cost : int option;
    inline_lifting_benefit : int option;
    inline_branch_factor : float option;
    inline_max_depth : int option;
    inline_max_unroll : int option;
    inline_threshold : float option;
    inline_toplevel_threshold : int option;
  }
  val classic_arguments : Clflags.inlining_arguments
  val o1_arguments : Clflags.inlining_arguments
  val o2_arguments : Clflags.inlining_arguments
  val o3_arguments : Clflags.inlining_arguments
  val use_inlining_arguments_set :
    ?round:int -> Clflags.inlining_arguments -> unit
  val objfiles : string list Pervasives.ref
  val ccobjs : string list Pervasives.ref
  val dllibs : string list Pervasives.ref
  val compile_only : bool Pervasives.ref
  val output_name : string option Pervasives.ref
  val include_dirs : string list Pervasives.ref
  val no_std_include : bool Pervasives.ref
  val print_types : bool Pervasives.ref
  val make_archive : bool Pervasives.ref
  val debug : bool Pervasives.ref
  val fast : bool Pervasives.ref
  val link_everything : bool Pervasives.ref
  val custom_runtime : bool Pervasives.ref
  val no_check_prims : bool Pervasives.ref
  val bytecode_compatible_32 : bool Pervasives.ref
  val output_c_object : bool Pervasives.ref
  val output_complete_object : bool Pervasives.ref
  val all_ccopts : string list Pervasives.ref
  val classic : bool Pervasives.ref
  val nopervasives : bool Pervasives.ref
  val open_modules : string list Pervasives.ref
  val preprocessor : string option Pervasives.ref
  val all_ppx : string list Pervasives.ref
  val annotations : bool Pervasives.ref
  val binary_annotations : bool Pervasives.ref
  val use_threads : bool Pervasives.ref
  val use_vmthreads : bool Pervasives.ref
  val noassert : bool Pervasives.ref
  val verbose : bool Pervasives.ref
  val noprompt : bool Pervasives.ref
  val nopromptcont : bool Pervasives.ref
  val init_file : string option Pervasives.ref
  val noinit : bool Pervasives.ref
  val noversion : bool Pervasives.ref
  val use_prims : string Pervasives.ref
  val use_runtime : string Pervasives.ref
  val principal : bool Pervasives.ref
  val real_paths : bool Pervasives.ref
  val recursive_types : bool Pervasives.ref
  val strict_sequence : bool Pervasives.ref
  val strict_formats : bool Pervasives.ref
  val applicative_functors : bool Pervasives.ref
  val make_runtime : bool Pervasives.ref
  val gprofile : bool Pervasives.ref
  val c_compiler : string option Pervasives.ref
  val no_auto_link : bool Pervasives.ref
  val dllpaths : string list Pervasives.ref
  val make_package : bool Pervasives.ref
  val for_package : string option Pervasives.ref
  val error_size : int Pervasives.ref
  val float_const_prop : bool Pervasives.ref
  val transparent_modules : bool Pervasives.ref
  val dump_source : bool Pervasives.ref
  val dump_parsetree : bool Pervasives.ref
  val dump_typedtree : bool Pervasives.ref
  val dump_rawlambda : bool Pervasives.ref
  val dump_lambda : bool Pervasives.ref
  val dump_rawclambda : bool Pervasives.ref
  val dump_clambda : bool Pervasives.ref
  val dump_rawflambda : bool Pervasives.ref
  val dump_flambda : bool Pervasives.ref
  val dump_flambda_let : int option Pervasives.ref
  val dump_instr : bool Pervasives.ref
  val keep_asm_file : bool Pervasives.ref
  val optimize_for_speed : bool Pervasives.ref
  val dump_cmm : bool Pervasives.ref
  val dump_selection : bool Pervasives.ref
  val dump_cse : bool Pervasives.ref
  val dump_live : bool Pervasives.ref
  val dump_spill : bool Pervasives.ref
  val dump_split : bool Pervasives.ref
  val dump_interf : bool Pervasives.ref
  val dump_prefer : bool Pervasives.ref
  val dump_regalloc : bool Pervasives.ref
  val dump_reload : bool Pervasives.ref
  val dump_scheduling : bool Pervasives.ref
  val dump_linear : bool Pervasives.ref
  val keep_startup_file : bool Pervasives.ref
  val dump_combine : bool Pervasives.ref
  val native_code : bool Pervasives.ref
  val default_inline_threshold : float
  val inline_threshold : Clflags.Float_arg_helper.parsed Pervasives.ref
  val inlining_report : bool Pervasives.ref
  val simplify_rounds : int option Pervasives.ref
  val default_simplify_rounds : int Pervasives.ref
  val rounds : unit -> int
  val default_inline_max_unroll : int
  val inline_max_unroll : Clflags.Int_arg_helper.parsed Pervasives.ref
  val default_inline_toplevel_threshold : int
  val inline_toplevel_threshold :
    Clflags.Int_arg_helper.parsed Pervasives.ref
  val default_inline_call_cost : int
  val default_inline_alloc_cost : int
  val default_inline_prim_cost : int
  val default_inline_branch_cost : int
  val default_inline_indirect_cost : int
  val default_inline_lifting_benefit : int
  val inline_call_cost : Clflags.Int_arg_helper.parsed Pervasives.ref
  val inline_alloc_cost : Clflags.Int_arg_helper.parsed Pervasives.ref
  val inline_prim_cost : Clflags.Int_arg_helper.parsed Pervasives.ref
  val inline_branch_cost : Clflags.Int_arg_helper.parsed Pervasives.ref
  val inline_indirect_cost : Clflags.Int_arg_helper.parsed Pervasives.ref
  val inline_lifting_benefit : Clflags.Int_arg_helper.parsed Pervasives.ref
  val default_inline_branch_factor : float
  val inline_branch_factor : Clflags.Float_arg_helper.parsed Pervasives.ref
  val dont_write_files : bool Pervasives.ref
  val std_include_flag : string -> string
  val std_include_dir : unit -> string list
  val shared : bool Pervasives.ref
  val dlcode : bool Pervasives.ref
  val pic_code : bool Pervasives.ref
  val runtime_variant : string Pervasives.ref
  val force_slash : bool Pervasives.ref
  val keep_docs : bool Pervasives.ref
  val keep_locs : bool Pervasives.ref
  val unsafe_string : bool Pervasives.ref
  val opaque : bool Pervasives.ref
  val print_timings : bool Pervasives.ref
  val flambda_invariant_checks : bool Pervasives.ref
  val unbox_closures : bool Pervasives.ref
  val unbox_closures_factor : int Pervasives.ref
  val default_unbox_closures_factor : int
  val unbox_free_vars_of_closures : bool Pervasives.ref
  val unbox_specialised_args : bool Pervasives.ref
  val clambda_checks : bool Pervasives.ref
  val default_inline_max_depth : int
  val inline_max_depth : Clflags.Int_arg_helper.parsed Pervasives.ref
  val remove_unused_arguments : bool Pervasives.ref
  val dump_flambda_verbose : bool Pervasives.ref
  val classic_inlining : bool Pervasives.ref
  val afl_instrument : bool Pervasives.ref
  val afl_inst_ratio : int Pervasives.ref
  val all_passes : string list Pervasives.ref
  val dumped_pass : string -> bool
  val set_dumped_pass : string -> bool -> unit
  val parse_color_setting : string -> Misc.Color.setting option
  val color : Misc.Color.setting option Pervasives.ref
  val unboxed_types : bool Pervasives.ref
  val arg_spec : (string * Arg.spec * string) list Pervasives.ref
  val add_arguments : string -> (string * Arg.spec * string) list -> unit
  val parse_arguments : Arg.anon_fun -> string -> unit
  val print_arguments : string -> unit
end
ocaml-doc-4.05/ocaml.html/libref/type_Ephemeron.K1.Make.html0000644000175000017500000002731413131636443022551 0ustar mehdimehdi Ephemeron.K1.Make functor (H : Hashtbl.HashedType->
  sig
    type key = H.t
    type 'a t
    val create : int -> 'a t
    val clear : 'a t -> unit
    val reset : 'a t -> unit
    val copy : 'a t -> 'a t
    val add : 'a t -> key -> '-> unit
    val remove : 'a t -> key -> unit
    val find : 'a t -> key -> 'a
    val find_opt : 'a t -> key -> 'a option
    val find_all : 'a t -> key -> 'a list
    val replace : 'a t -> key -> '-> unit
    val mem : 'a t -> key -> bool
    val iter : (key -> '-> unit) -> 'a t -> unit
    val filter_map_inplace : (key -> '-> 'a option) -> 'a t -> unit
    val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
    val length : 'a t -> int
    val stats : 'a t -> Hashtbl.statistics
    val clean : 'a t -> unit
    val stats_alive : 'a t -> Hashtbl.statistics
  end
ocaml-doc-4.05/ocaml.html/libref/type_Ast_helper.Cstr.html0000644000175000017500000001546513131636441022503 0ustar mehdimehdi Ast_helper.Cstr sig
  val mk :
    Parsetree.pattern ->
    Parsetree.class_field list -> Parsetree.class_structure
end
ocaml-doc-4.05/ocaml.html/libref/type_Lexer.html0000644000175000017500000002500313131636445020553 0ustar mehdimehdi Lexer sig
  val init : unit -> unit
  val token : Lexing.lexbuf -> Parser.token
  val skip_hash_bang : Lexing.lexbuf -> unit
  type error =
      Illegal_character of char
    | Illegal_escape of string
    | Unterminated_comment of Location.t
    | Unterminated_string
    | Unterminated_string_in_comment of Location.t * Location.t
    | Keyword_as_label of string
    | Invalid_literal of string
    | Invalid_directive of string * string option
  exception Error of Lexer.error * Location.t
  val report_error : Format.formatter -> Lexer.error -> unit
  val in_comment : unit -> bool
  val in_string : unit -> bool
  val print_warnings : bool Pervasives.ref
  val handle_docstrings : bool Pervasives.ref
  val comments : unit -> (string * Location.t) list
  val token_with_comments : Lexing.lexbuf -> Parser.token
  val set_preprocessor :
    (unit -> unit) ->
    ((Lexing.lexbuf -> Parser.token) -> Lexing.lexbuf -> Parser.token) ->
    unit
end
ocaml-doc-4.05/ocaml.html/libref/Ephemeron.K2.MakeSeeded.html0000644000175000017500000002244113131636443022617 0ustar mehdimehdi Ephemeron.K2.MakeSeeded

Functor Ephemeron.K2.MakeSeeded

module MakeSeeded: 
functor (H1 : Hashtbl.SeededHashedType-> 
functor (H2 : Hashtbl.SeededHashedType-> Ephemeron.SeededS with type key = H1.t * H2.t
Functor building an implementation of a weak hash table. The seed is similar to the one of Hashtbl.MakeSeeded.
Parameters:
H1 : Hashtbl.SeededHashedType
H2 : Hashtbl.SeededHashedType

include Hashtbl.SeededS
val clean : 'a t -> unit
remove all dead bindings. Done automatically during automatic resizing.
val stats_alive : 'a t -> Hashtbl.statistics
same as Hashtbl.SeededS.stats but only count the alive bindings
ocaml-doc-4.05/ocaml.html/libref/type_MoreLabels.Set.S.html0000644000175000017500000005625713131636446022474 0ustar mehdimehdi MoreLabels.Set.S sig
  type elt
  and t
  val empty : MoreLabels.Set.S.t
  val is_empty : MoreLabels.Set.S.t -> bool
  val mem : MoreLabels.Set.S.elt -> MoreLabels.Set.S.t -> bool
  val add : MoreLabels.Set.S.elt -> MoreLabels.Set.S.t -> MoreLabels.Set.S.t
  val singleton : MoreLabels.Set.S.elt -> MoreLabels.Set.S.t
  val remove :
    MoreLabels.Set.S.elt -> MoreLabels.Set.S.t -> MoreLabels.Set.S.t
  val union : MoreLabels.Set.S.t -> MoreLabels.Set.S.t -> MoreLabels.Set.S.t
  val inter : MoreLabels.Set.S.t -> MoreLabels.Set.S.t -> MoreLabels.Set.S.t
  val diff : MoreLabels.Set.S.t -> MoreLabels.Set.S.t -> MoreLabels.Set.S.t
  val compare : MoreLabels.Set.S.t -> MoreLabels.Set.S.t -> int
  val equal : MoreLabels.Set.S.t -> MoreLabels.Set.S.t -> bool
  val subset : MoreLabels.Set.S.t -> MoreLabels.Set.S.t -> bool
  val iter : f:(MoreLabels.Set.S.elt -> unit) -> MoreLabels.Set.S.t -> unit
  val map :
    f:(MoreLabels.Set.S.elt -> MoreLabels.Set.S.elt) ->
    MoreLabels.Set.S.t -> MoreLabels.Set.S.t
  val fold :
    f:(MoreLabels.Set.S.elt -> '-> 'a) ->
    MoreLabels.Set.S.t -> init:'-> 'a
  val for_all :
    f:(MoreLabels.Set.S.elt -> bool) -> MoreLabels.Set.S.t -> bool
  val exists : f:(MoreLabels.Set.S.elt -> bool) -> MoreLabels.Set.S.t -> bool
  val filter :
    f:(MoreLabels.Set.S.elt -> bool) ->
    MoreLabels.Set.S.t -> MoreLabels.Set.S.t
  val partition :
    f:(MoreLabels.Set.S.elt -> bool) ->
    MoreLabels.Set.S.t -> MoreLabels.Set.S.t * MoreLabels.Set.S.t
  val cardinal : MoreLabels.Set.S.t -> int
  val elements : MoreLabels.Set.S.t -> MoreLabels.Set.S.elt list
  val min_elt : MoreLabels.Set.S.t -> MoreLabels.Set.S.elt
  val min_elt_opt : MoreLabels.Set.S.t -> MoreLabels.Set.S.elt option
  val max_elt : MoreLabels.Set.S.t -> MoreLabels.Set.S.elt
  val max_elt_opt : MoreLabels.Set.S.t -> MoreLabels.Set.S.elt option
  val choose : MoreLabels.Set.S.t -> MoreLabels.Set.S.elt
  val choose_opt : MoreLabels.Set.S.t -> MoreLabels.Set.S.elt option
  val split :
    MoreLabels.Set.S.elt ->
    MoreLabels.Set.S.t -> MoreLabels.Set.S.t * bool * MoreLabels.Set.S.t
  val find :
    MoreLabels.Set.S.elt -> MoreLabels.Set.S.t -> MoreLabels.Set.S.elt
  val find_opt :
    MoreLabels.Set.S.elt -> MoreLabels.Set.S.t -> MoreLabels.Set.S.elt option
  val find_first :
    f:(MoreLabels.Set.S.elt -> bool) ->
    MoreLabels.Set.S.t -> MoreLabels.Set.S.elt
  val find_first_opt :
    f:(MoreLabels.Set.S.elt -> bool) ->
    MoreLabels.Set.S.t -> MoreLabels.Set.S.elt option
  val find_last :
    f:(MoreLabels.Set.S.elt -> bool) ->
    MoreLabels.Set.S.t -> MoreLabels.Set.S.elt
  val find_last_opt :
    f:(MoreLabels.Set.S.elt -> bool) ->
    MoreLabels.Set.S.t -> MoreLabels.Set.S.elt option
  val of_list : MoreLabels.Set.S.elt list -> MoreLabels.Set.S.t
end
ocaml-doc-4.05/ocaml.html/libref/Mutex.html0000644000175000017500000002224313131636447017542 0ustar mehdimehdi Mutex

Module Mutex

module Mutex: sig .. end
Locks for mutual exclusion.

Mutexes (mutual-exclusion locks) are used to implement critical sections and protect shared mutable data structures against concurrent accesses. The typical use is (if m is the mutex associated with the data structure D):

     Mutex.lock m;
     (* Critical section that operates over D *);
     Mutex.unlock m
   


type t 
The type of mutexes.
val create : unit -> t
Return a new mutex.
val lock : t -> unit
Lock the given mutex. Only one thread can have the mutex locked at any time. A thread that attempts to lock a mutex already locked by another thread will suspend until the other thread unlocks the mutex.
val try_lock : t -> bool
Same as Mutex.lock, but does not suspend the calling thread if the mutex is already locked: just return false immediately in that case. If the mutex is unlocked, lock it and return true.
val unlock : t -> unit
Unlock the given mutex. Other threads suspended trying to lock the mutex will restart.
ocaml-doc-4.05/ocaml.html/libref/Longident.html0000644000175000017500000002112513131636445020357 0ustar mehdimehdi Longident

Module Longident

module Longident: sig .. end
Long identifiers, used in parsetree.

type t = 
| Lident of string
| Ldot of t * string
| Lapply of t * t
val flatten : t -> string list
val last : t -> string
val parse : string -> t
ocaml-doc-4.05/ocaml.html/libref/CamlinternalMod.html0000644000175000017500000002217613131636443021512 0ustar mehdimehdi CamlinternalMod

Module CamlinternalMod

module CamlinternalMod: sig .. end
Run-time support for recursive modules. All functions in this module are for system use only, not for the casual user.

type shape = 
| Function
| Lazy
| Class
| Module of shape array
| Value of Obj.t
val init_mod : string * int * int -> shape -> Obj.t
val update_mod : shape -> Obj.t -> Obj.t -> unit
ocaml-doc-4.05/ocaml.html/libref/type_StringLabels.html0000644000175000017500000004020513131636451022063 0ustar mehdimehdi StringLabels sig
  external length : string -> int = "%string_length"
  external get : string -> int -> char = "%string_safe_get"
  external set : bytes -> int -> char -> unit = "%string_safe_set"
  external create : int -> bytes = "caml_create_string"
  val make : int -> char -> string
  val init : int -> f:(int -> char) -> string
  val copy : string -> string
  val sub : string -> pos:int -> len:int -> string
  val fill : bytes -> pos:int -> len:int -> char -> unit
  val blit :
    src:string -> src_pos:int -> dst:bytes -> dst_pos:int -> len:int -> unit
  val concat : sep:string -> string list -> string
  val iter : f:(char -> unit) -> string -> unit
  val iteri : f:(int -> char -> unit) -> string -> unit
  val map : f:(char -> char) -> string -> string
  val mapi : f:(int -> char -> char) -> string -> string
  val trim : string -> string
  val escaped : string -> string
  val index : string -> char -> int
  val index_opt : string -> char -> int option
  val rindex : string -> char -> int
  val rindex_opt : string -> char -> int option
  val index_from : string -> int -> char -> int
  val index_from_opt : string -> int -> char -> int option
  val rindex_from : string -> int -> char -> int
  val rindex_from_opt : string -> int -> char -> int option
  val contains : string -> char -> bool
  val contains_from : string -> int -> char -> bool
  val rcontains_from : string -> int -> char -> bool
  val uppercase : string -> string
  val lowercase : string -> string
  val capitalize : string -> string
  val uncapitalize : string -> string
  val uppercase_ascii : string -> string
  val lowercase_ascii : string -> string
  val capitalize_ascii : string -> string
  val uncapitalize_ascii : string -> string
  type t = string
  val compare : StringLabels.t -> StringLabels.t -> int
  val equal : StringLabels.t -> StringLabels.t -> bool
  val split_on_char : sep:char -> string -> string list
  external unsafe_get : string -> int -> char = "%string_unsafe_get"
  external unsafe_set : bytes -> int -> char -> unit = "%string_unsafe_set"
  external unsafe_blit :
    src:string -> src_pos:int -> dst:bytes -> dst_pos:int -> len:int -> unit
    = "caml_blit_string" [@@noalloc]
  external unsafe_fill : bytes -> pos:int -> len:int -> char -> unit
    = "caml_fill_string" [@@noalloc]
end
ocaml-doc-4.05/ocaml.html/libref/type_MoreLabels.Hashtbl.html0000644000175000017500000013235113131636446023113 0ustar mehdimehdi MoreLabels.Hashtbl sig
  type ('a, 'b) t = ('a, 'b) Hashtbl.t
  val create : ?random:bool -> int -> ('a, 'b) MoreLabels.Hashtbl.t
  val clear : ('a, 'b) MoreLabels.Hashtbl.t -> unit
  val reset : ('a, 'b) MoreLabels.Hashtbl.t -> unit
  val copy : ('a, 'b) MoreLabels.Hashtbl.t -> ('a, 'b) MoreLabels.Hashtbl.t
  val add : ('a, 'b) MoreLabels.Hashtbl.t -> key:'-> data:'-> unit
  val find : ('a, 'b) MoreLabels.Hashtbl.t -> '-> 'b
  val find_opt : ('a, 'b) MoreLabels.Hashtbl.t -> '-> 'b option
  val find_all : ('a, 'b) MoreLabels.Hashtbl.t -> '-> 'b list
  val mem : ('a, 'b) MoreLabels.Hashtbl.t -> '-> bool
  val remove : ('a, 'b) MoreLabels.Hashtbl.t -> '-> unit
  val replace : ('a, 'b) MoreLabels.Hashtbl.t -> key:'-> data:'-> unit
  val iter :
    f:(key:'-> data:'-> unit) -> ('a, 'b) MoreLabels.Hashtbl.t -> unit
  val filter_map_inplace :
    f:(key:'-> data:'-> 'b option) ->
    ('a, 'b) MoreLabels.Hashtbl.t -> unit
  val fold :
    f:(key:'-> data:'-> '-> 'c) ->
    ('a, 'b) MoreLabels.Hashtbl.t -> init:'-> 'c
  val length : ('a, 'b) MoreLabels.Hashtbl.t -> int
  val randomize : unit -> unit
  val is_randomized : unit -> bool
  type statistics = Hashtbl.statistics
  val stats : ('a, 'b) MoreLabels.Hashtbl.t -> MoreLabels.Hashtbl.statistics
  module type HashedType = Hashtbl.HashedType
  module type SeededHashedType = Hashtbl.SeededHashedType
  module type S =
    sig
      type key
      and 'a t
      val create : int -> 'MoreLabels.Hashtbl.S.t
      val clear : 'MoreLabels.Hashtbl.S.t -> unit
      val reset : 'MoreLabels.Hashtbl.S.t -> unit
      val copy : 'MoreLabels.Hashtbl.S.t -> 'MoreLabels.Hashtbl.S.t
      val add :
        'MoreLabels.Hashtbl.S.t ->
        key:MoreLabels.Hashtbl.S.key -> data:'-> unit
      val remove :
        'MoreLabels.Hashtbl.S.t -> MoreLabels.Hashtbl.S.key -> unit
      val find : 'MoreLabels.Hashtbl.S.t -> MoreLabels.Hashtbl.S.key -> 'a
      val find_opt :
        'MoreLabels.Hashtbl.S.t -> MoreLabels.Hashtbl.S.key -> 'a option
      val find_all :
        'MoreLabels.Hashtbl.S.t -> MoreLabels.Hashtbl.S.key -> 'a list
      val replace :
        'MoreLabels.Hashtbl.S.t ->
        key:MoreLabels.Hashtbl.S.key -> data:'-> unit
      val mem : 'MoreLabels.Hashtbl.S.t -> MoreLabels.Hashtbl.S.key -> bool
      val iter :
        f:(key:MoreLabels.Hashtbl.S.key -> data:'-> unit) ->
        'MoreLabels.Hashtbl.S.t -> unit
      val filter_map_inplace :
        f:(key:MoreLabels.Hashtbl.S.key -> data:'-> 'a option) ->
        'MoreLabels.Hashtbl.S.t -> unit
      val fold :
        f:(key:MoreLabels.Hashtbl.S.key -> data:'-> '-> 'b) ->
        'MoreLabels.Hashtbl.S.t -> init:'-> 'b
      val length : 'MoreLabels.Hashtbl.S.t -> int
      val stats : 'MoreLabels.Hashtbl.S.t -> MoreLabels.Hashtbl.statistics
    end
  module type SeededS =
    sig
      type key
      and 'a t
      val create : ?random:bool -> int -> 'MoreLabels.Hashtbl.SeededS.t
      val clear : 'MoreLabels.Hashtbl.SeededS.t -> unit
      val reset : 'MoreLabels.Hashtbl.SeededS.t -> unit
      val copy :
        'MoreLabels.Hashtbl.SeededS.t -> 'MoreLabels.Hashtbl.SeededS.t
      val add :
        'MoreLabels.Hashtbl.SeededS.t ->
        key:MoreLabels.Hashtbl.SeededS.key -> data:'-> unit
      val remove :
        'MoreLabels.Hashtbl.SeededS.t ->
        MoreLabels.Hashtbl.SeededS.key -> unit
      val find :
        'MoreLabels.Hashtbl.SeededS.t ->
        MoreLabels.Hashtbl.SeededS.key -> 'a
      val find_opt :
        'MoreLabels.Hashtbl.SeededS.t ->
        MoreLabels.Hashtbl.SeededS.key -> 'a option
      val find_all :
        'MoreLabels.Hashtbl.SeededS.t ->
        MoreLabels.Hashtbl.SeededS.key -> 'a list
      val replace :
        'MoreLabels.Hashtbl.SeededS.t ->
        key:MoreLabels.Hashtbl.SeededS.key -> data:'-> unit
      val mem :
        'MoreLabels.Hashtbl.SeededS.t ->
        MoreLabels.Hashtbl.SeededS.key -> bool
      val iter :
        f:(key:MoreLabels.Hashtbl.SeededS.key -> data:'-> unit) ->
        'MoreLabels.Hashtbl.SeededS.t -> unit
      val filter_map_inplace :
        f:(key:MoreLabels.Hashtbl.SeededS.key -> data:'-> 'a option) ->
        'MoreLabels.Hashtbl.SeededS.t -> unit
      val fold :
        f:(key:MoreLabels.Hashtbl.SeededS.key -> data:'-> '-> 'b) ->
        'MoreLabels.Hashtbl.SeededS.t -> init:'-> 'b
      val length : 'MoreLabels.Hashtbl.SeededS.t -> int
      val stats :
        'MoreLabels.Hashtbl.SeededS.t -> MoreLabels.Hashtbl.statistics
    end
  module Make :
    functor (H : HashedType->
      sig
        type key = H.t
        and 'a t
        val create : int -> 'a t
        val clear : 'a t -> unit
        val reset : 'a t -> unit
        val copy : 'a t -> 'a t
        val add : 'a t -> key:key -> data:'-> unit
        val remove : 'a t -> key -> unit
        val find : 'a t -> key -> 'a
        val find_opt : 'a t -> key -> 'a option
        val find_all : 'a t -> key -> 'a list
        val replace : 'a t -> key:key -> data:'-> unit
        val mem : 'a t -> key -> bool
        val iter : f:(key:key -> data:'-> unit) -> 'a t -> unit
        val filter_map_inplace :
          f:(key:key -> data:'-> 'a option) -> 'a t -> unit
        val fold :
          f:(key:key -> data:'-> '-> 'b) -> 'a t -> init:'-> 'b
        val length : 'a t -> int
        val stats : 'a t -> statistics
      end
  module MakeSeeded :
    functor (H : SeededHashedType->
      sig
        type key = H.t
        and 'a t
        val create : ?random:bool -> int -> 'a t
        val clear : 'a t -> unit
        val reset : 'a t -> unit
        val copy : 'a t -> 'a t
        val add : 'a t -> key:key -> data:'-> unit
        val remove : 'a t -> key -> unit
        val find : 'a t -> key -> 'a
        val find_opt : 'a t -> key -> 'a option
        val find_all : 'a t -> key -> 'a list
        val replace : 'a t -> key:key -> data:'-> unit
        val mem : 'a t -> key -> bool
        val iter : f:(key:key -> data:'-> unit) -> 'a t -> unit
        val filter_map_inplace :
          f:(key:key -> data:'-> 'a option) -> 'a t -> unit
        val fold :
          f:(key:key -> data:'-> '-> 'b) -> 'a t -> init:'-> 'b
        val length : 'a t -> int
        val stats : 'a t -> statistics
      end
  val hash : '-> int
  val seeded_hash : int -> '-> int
  val hash_param : int -> int -> '-> int
  val seeded_hash_param : int -> int -> int -> '-> int
end
ocaml-doc-4.05/ocaml.html/libref/type_Ast_invariants.html0000644000175000017500000001543613131636441022466 0ustar mehdimehdi Ast_invariants sig
  val structure : Parsetree.structure -> unit
  val signature : Parsetree.signature -> unit
end
ocaml-doc-4.05/ocaml.html/libref/type_GraphicsX11.html0000644000175000017500000001637513131636444021541 0ustar mehdimehdi GraphicsX11 sig
  type window_id = string
  val window_id : unit -> GraphicsX11.window_id
  val open_subwindow :
    x:int -> y:int -> width:int -> height:int -> GraphicsX11.window_id
  val close_subwindow : GraphicsX11.window_id -> unit
end
ocaml-doc-4.05/ocaml.html/libref/Ast_helper.Csig.html0000644000175000017500000001671313131636441021411 0ustar mehdimehdi Ast_helper.Csig

Module Ast_helper.Csig

module Csig: sig .. end
Class signatures

val mk : Parsetree.core_type ->
Parsetree.class_type_field list -> Parsetree.class_signature
ocaml-doc-4.05/ocaml.html/libref/Char.html0000644000175000017500000002513013131636443017307 0ustar mehdimehdi Char

Module Char

module Char: sig .. end
Character operations.

val code : char -> int
Return the ASCII code of the argument.
val chr : int -> char
Return the character with the given ASCII code. Raise Invalid_argument "Char.chr" if the argument is outside the range 0--255.
val escaped : char -> string
Return a string representing the given character, with special characters escaped following the lexical conventions of OCaml. All characters outside the ASCII printable range (32..126) are escaped, as well as backslash, double-quote, and single-quote.
val lowercase : char -> char
Deprecated.Functions operating on Latin-1 character set are deprecated.
Convert the given character to its equivalent lowercase character, using the ISO Latin-1 (8859-1) character set.
val uppercase : char -> char
Deprecated.Functions operating on Latin-1 character set are deprecated.
Convert the given character to its equivalent uppercase character, using the ISO Latin-1 (8859-1) character set.
val lowercase_ascii : char -> char
Convert the given character to its equivalent lowercase character, using the US-ASCII character set.
Since 4.03.0
val uppercase_ascii : char -> char
Convert the given character to its equivalent uppercase character, using the US-ASCII character set.
Since 4.03.0
type t = char 
An alias for the type of characters.
val compare : t -> t -> int
The comparison function for characters, with the same specification as compare. Along with the type t, this function compare allows the module Char to be passed as argument to the functors Set.Make and Map.Make.
val equal : t -> t -> bool
The equal function for chars.
Since 4.03.0
ocaml-doc-4.05/ocaml.html/libref/Hashtbl.S.html0000644000175000017500000002532613131636444020230 0ustar mehdimehdi Hashtbl.S

Module type Hashtbl.S

module type S = sig .. end
The output signature of the functor Hashtbl.Make.

type key 
type 'a t 
val create : int -> 'a t
val clear : 'a t -> unit
val reset : 'a t -> unit
Since 4.00.0
val copy : 'a t -> 'a t
val add : 'a t -> key -> 'a -> unit
val remove : 'a t -> key -> unit
val find : 'a t -> key -> 'a
val find_opt : 'a t -> key -> 'a option
Since 4.05.0
val find_all : 'a t -> key -> 'a list
val replace : 'a t -> key -> 'a -> unit
val mem : 'a t -> key -> bool
val iter : (key -> 'a -> unit) -> 'a t -> unit
val filter_map_inplace : (key -> 'a -> 'a option) -> 'a t -> unit
Since 4.03.0
val fold : (key -> 'a -> 'b -> 'b) -> 'a t -> 'b -> 'b
val length : 'a t -> int
val stats : 'a t -> Hashtbl.statistics
Since 4.00.0
ocaml-doc-4.05/ocaml.html/libref/type_Weak.Make.html0000644000175000017500000002303713131636452021242 0ustar mehdimehdi Weak.Make functor (H : Hashtbl.HashedType->
  sig
    type data = H.t
    type t
    val create : int -> t
    val clear : t -> unit
    val merge : t -> data -> data
    val add : t -> data -> unit
    val remove : t -> data -> unit
    val find : t -> data -> data
    val find_opt : t -> data -> data option
    val find_all : t -> data -> data list
    val mem : t -> data -> bool
    val iter : (data -> unit) -> t -> unit
    val fold : (data -> '-> 'a) -> t -> '-> 'a
    val count : t -> int
    val stats : t -> int * int * int * int * int * int
  end
ocaml-doc-4.05/ocaml.html/libref/Str.html0000644000175000017500000007740013131636450017207 0ustar mehdimehdi Str

Module Str

module Str: sig .. end
Regular expressions and high-level string processing


Regular expressions

type regexp 
The type of compiled regular expressions.
val regexp : string -> regexp
Compile a regular expression. The following constructs are recognized: Note: the argument to regexp is usually a string literal. In this case, any backslash character in the regular expression must be doubled to make it past the OCaml string parser. For example, the following expression:
 let r = Str.regexp "hello \\([A-Za-z]+\\)" in
      Str.replace_first r "\\1" "hello world" 
returns the string "world".

In particular, if you want a regular expression that matches a single backslash character, you need to quote it in the argument to regexp (according to the last item of the list above) by adding a second backslash. Then you need to quote both backslashes (according to the syntax of string constants in OCaml) by doubling them again, so you need to write four backslash characters: Str.regexp "\\\\".

val regexp_case_fold : string -> regexp
Same as regexp, but the compiled expression will match text in a case-insensitive way: uppercase and lowercase letters will be considered equivalent.
val quote : string -> string
Str.quote s returns a regexp string that matches exactly s and nothing else.
val regexp_string : string -> regexp
Str.regexp_string s returns a regular expression that matches exactly s and nothing else.
val regexp_string_case_fold : string -> regexp
Str.regexp_string_case_fold is similar to Str.regexp_string, but the regexp matches in a case-insensitive way.

String matching and searching

val string_match : regexp -> string -> int -> bool
string_match r s start tests whether a substring of s that starts at position start matches the regular expression r. The first character of a string has position 0, as usual.
val search_forward : regexp -> string -> int -> int
search_forward r s start searches the string s for a substring matching the regular expression r. The search starts at position start and proceeds towards the end of the string. Return the position of the first character of the matched substring.
Raises Not_found if no substring matches.
val search_backward : regexp -> string -> int -> int
search_backward r s last searches the string s for a substring matching the regular expression r. The search first considers substrings that start at position last and proceeds towards the beginning of string. Return the position of the first character of the matched substring.
Raises Not_found if no substring matches.
val string_partial_match : regexp -> string -> int -> bool
Similar to Str.string_match, but also returns true if the argument string is a prefix of a string that matches. This includes the case of a true complete match.
val matched_string : string -> string
matched_string s returns the substring of s that was matched by the last call to one of the following matching or searching functions: provided that none of the following functions was called inbetween: Note: in the case of global_substitute and substitute_first, a call to matched_string is only valid within the subst argument, not after global_substitute or substitute_first returns.

The user must make sure that the parameter s is the same string that was passed to the matching or searching function.

val match_beginning : unit -> int
match_beginning() returns the position of the first character of the substring that was matched by the last call to a matching or searching function (see Str.matched_string for details).
val match_end : unit -> int
match_end() returns the position of the character following the last character of the substring that was matched by the last call to a matching or searching function (see Str.matched_string for details).
val matched_group : int -> string -> string
matched_group n s returns the substring of s that was matched by the nth group \(...\) of the regular expression that was matched by the last call to a matching or searching function (see Str.matched_string for details). The user must make sure that the parameter s is the same string that was passed to the matching or searching function.
Raises Not_found if the nth group of the regular expression was not matched. This can happen with groups inside alternatives \|, options ? or repetitions *. For instance, the empty string will match \(a\)*, but matched_group 1 "" will raise Not_found because the first group itself was not matched.
val group_beginning : int -> int
group_beginning n returns the position of the first character of the substring that was matched by the nth group of the regular expression that was matched by the last call to a matching or searching function (see Str.matched_string for details).
Raises
val group_end : int -> int
group_end n returns the position of the character following the last character of substring that was matched by the nth group of the regular expression that was matched by the last call to a matching or searching function (see Str.matched_string for details).
Raises

Replacement

val global_replace : regexp -> string -> string -> string
global_replace regexp templ s returns a string identical to s, except that all substrings of s that match regexp have been replaced by templ. The replacement template templ can contain \1, \2, etc; these sequences will be replaced by the text matched by the corresponding group in the regular expression. \0 stands for the text matched by the whole regular expression.
val replace_first : regexp -> string -> string -> string
Same as Str.global_replace, except that only the first substring matching the regular expression is replaced.
val global_substitute : regexp -> (string -> string) -> string -> string
global_substitute regexp subst s returns a string identical to s, except that all substrings of s that match regexp have been replaced by the result of function subst. The function subst is called once for each matching substring, and receives s (the whole text) as argument.
val substitute_first : regexp -> (string -> string) -> string -> string
Same as Str.global_substitute, except that only the first substring matching the regular expression is replaced.
val replace_matched : string -> string -> string
replace_matched repl s returns the replacement text repl in which \1, \2, etc. have been replaced by the text matched by the corresponding groups in the regular expression that was matched by the last call to a matching or searching function (see Str.matched_string for details). s must be the same string that was passed to the matching or searching function.

Splitting

val split : regexp -> string -> string list
split r s splits s into substrings, taking as delimiters the substrings that match r, and returns the list of substrings. For instance, split (regexp "[ \t]+") s splits s into blank-separated words. An occurrence of the delimiter at the beginning or at the end of the string is ignored.
val bounded_split : regexp -> string -> int -> string list
Same as Str.split, but splits into at most n substrings, where n is the extra integer parameter.
val split_delim : regexp -> string -> string list
Same as Str.split but occurrences of the delimiter at the beginning and at the end of the string are recognized and returned as empty strings in the result. For instance, split_delim (regexp " "" abc " returns ["""abc"""], while split with the same arguments returns ["abc"].
val bounded_split_delim : regexp -> string -> int -> string list
Same as Str.bounded_split, but occurrences of the delimiter at the beginning and at the end of the string are recognized and returned as empty strings in the result.
type split_result = 
| Text of string
| Delim of string
val full_split : regexp -> string -> split_result list
Same as Str.split_delim, but returns the delimiters as well as the substrings contained between delimiters. The former are tagged Delim in the result list; the latter are tagged Text. For instance, full_split (regexp "[{}]""{ab}" returns [Delim "{"Text "ab"Delim "}"].
val bounded_full_split : regexp -> string -> int -> split_result list
Same as Str.bounded_split_delim, but returns the delimiters as well as the substrings contained between delimiters. The former are tagged Delim in the result list; the latter are tagged Text.

Extracting substrings

val string_before : string -> int -> string
string_before s n returns the substring of all characters of s that precede position n (excluding the character at position n).
val string_after : string -> int -> string
string_after s n returns the substring of all characters of s that follow position n (including the character at position n).
val first_chars : string -> int -> string
first_chars s n returns the first n characters of s. This is the same function as Str.string_before.
val last_chars : string -> int -> string
last_chars s n returns the last n characters of s.
ocaml-doc-4.05/ocaml.html/libref/type_Misc.HookSig.html0000644000175000017500000001655713131636446021750 0ustar mehdimehdi Misc.HookSig sig
  type t
  val add_hook :
    string -> (Misc.hook_info -> Misc.HookSig.t -> Misc.HookSig.t) -> unit
  val apply_hooks : Misc.hook_info -> Misc.HookSig.t -> Misc.HookSig.t
end
ocaml-doc-4.05/ocaml.html/libref/type_Weak.html0000644000175000017500000004346513131636452020375 0ustar mehdimehdi Weak sig
  type 'a t
  val create : int -> 'Weak.t
  val length : 'Weak.t -> int
  val set : 'Weak.t -> int -> 'a option -> unit
  val get : 'Weak.t -> int -> 'a option
  val get_copy : 'Weak.t -> int -> 'a option
  val check : 'Weak.t -> int -> bool
  val fill : 'Weak.t -> int -> int -> 'a option -> unit
  val blit : 'Weak.t -> int -> 'Weak.t -> int -> int -> unit
  module type S =
    sig
      type data
      type t
      val create : int -> Weak.S.t
      val clear : Weak.S.t -> unit
      val merge : Weak.S.t -> Weak.S.data -> Weak.S.data
      val add : Weak.S.t -> Weak.S.data -> unit
      val remove : Weak.S.t -> Weak.S.data -> unit
      val find : Weak.S.t -> Weak.S.data -> Weak.S.data
      val find_opt : Weak.S.t -> Weak.S.data -> Weak.S.data option
      val find_all : Weak.S.t -> Weak.S.data -> Weak.S.data list
      val mem : Weak.S.t -> Weak.S.data -> bool
      val iter : (Weak.S.data -> unit) -> Weak.S.t -> unit
      val fold : (Weak.S.data -> '-> 'a) -> Weak.S.t -> '-> 'a
      val count : Weak.S.t -> int
      val stats : Weak.S.t -> int * int * int * int * int * int
    end
  module Make :
    functor (H : Hashtbl.HashedType->
      sig
        type data = H.t
        type t
        val create : int -> t
        val clear : t -> unit
        val merge : t -> data -> data
        val add : t -> data -> unit
        val remove : t -> data -> unit
        val find : t -> data -> data
        val find_opt : t -> data -> data option
        val find_all : t -> data -> data list
        val mem : t -> data -> bool
        val iter : (data -> unit) -> t -> unit
        val fold : (data -> '-> 'a) -> t -> '-> 'a
        val count : t -> int
        val stats : t -> int * int * int * int * int * int
      end
end
ocaml-doc-4.05/ocaml.html/libref/index_extensions.html0000644000175000017500000001474213131636452022027 0ustar mehdimehdi Index of extensions

Index of extensions

ocaml-doc-4.05/ocaml.html/libref/Hashtbl.MakeSeeded.html0000644000175000017500000003056013131636444022011 0ustar mehdimehdi Hashtbl.MakeSeeded

Functor Hashtbl.MakeSeeded

module MakeSeeded: 
functor (H : SeededHashedType-> SeededS with type key = H.t
Functor building an implementation of the hashtable structure. The functor Hashtbl.MakeSeeded returns a structure containing a type key of keys and a type 'a t of hash tables associating data of type 'a to keys of type key. The operations perform similarly to those of the generic interface, but use the seeded hashing and equality functions specified in the functor argument H instead of generic equality and hashing. The create operation of the result structure supports the ~random optional parameter and returns randomized hash tables if ~random:true is passed or if randomization is globally on (see Hashtbl.randomize).
Since 4.00.0
Parameters:
H : SeededHashedType

type key 
type 'a t 
val create : ?random:bool -> int -> 'a t
val clear : 'a t -> unit
val reset : 'a t -> unit
val copy : 'a t -> 'a t
val add : 'a t -> key -> 'a -> unit
val remove : 'a t -> key -> unit
val find : 'a t -> key -> 'a
val find_opt : 'a t -> key -> 'a option
Since 4.05.0
val find_all : 'a t -> key -> 'a list
val replace : 'a t -> key -> 'a -> unit
val mem : 'a t -> key -> bool
val iter : (key -> 'a -> unit) -> 'a t -> unit
val filter_map_inplace : (key -> 'a -> 'a option) -> 'a t -> unit
Since 4.03.0
val fold : (key -> 'a -> 'b -> 'b) -> 'a t -> 'b -> 'b
val length : 'a t -> int
val stats : 'a t -> Hashtbl.statistics
ocaml-doc-4.05/ocaml.html/libref/type_Array.html0000644000175000017500000004405313131636441020554 0ustar mehdimehdi Array sig
  external length : 'a array -> int = "%array_length"
  external get : 'a array -> int -> 'a = "%array_safe_get"
  external set : 'a array -> int -> '-> unit = "%array_safe_set"
  external make : int -> '-> 'a array = "caml_make_vect"
  external create : int -> '-> 'a array = "caml_make_vect"
  external create_float : int -> float array = "caml_make_float_vect"
  val make_float : int -> float array
  val init : int -> (int -> 'a) -> 'a array
  val make_matrix : int -> int -> '-> 'a array array
  val create_matrix : int -> int -> '-> 'a array array
  val append : 'a array -> 'a array -> 'a array
  val concat : 'a array list -> 'a array
  val sub : 'a array -> int -> int -> 'a array
  val copy : 'a array -> 'a array
  val fill : 'a array -> int -> int -> '-> unit
  val blit : 'a array -> int -> 'a array -> int -> int -> unit
  val to_list : 'a array -> 'a list
  val of_list : 'a list -> 'a array
  val iter : ('-> unit) -> 'a array -> unit
  val iteri : (int -> '-> unit) -> 'a array -> unit
  val map : ('-> 'b) -> 'a array -> 'b array
  val mapi : (int -> '-> 'b) -> 'a array -> 'b array
  val fold_left : ('-> '-> 'a) -> '-> 'b array -> 'a
  val fold_right : ('-> '-> 'a) -> 'b array -> '-> 'a
  val iter2 : ('-> '-> unit) -> 'a array -> 'b array -> unit
  val map2 : ('-> '-> 'c) -> 'a array -> 'b array -> 'c array
  val for_all : ('-> bool) -> 'a array -> bool
  val exists : ('-> bool) -> 'a array -> bool
  val mem : '-> 'a array -> bool
  val memq : '-> 'a array -> bool
  val sort : ('-> '-> int) -> 'a array -> unit
  val stable_sort : ('-> '-> int) -> 'a array -> unit
  val fast_sort : ('-> '-> int) -> 'a array -> unit
  external unsafe_get : 'a array -> int -> 'a = "%array_unsafe_get"
  external unsafe_set : 'a array -> int -> '-> unit = "%array_unsafe_set"
end
ocaml-doc-4.05/ocaml.html/libref/index.html0000644000175000017500000005052013131636452017542 0ustar mehdimehdi



Arg
Parsing of command line arguments.
Arg_helper
Decipher command line arguments of the form <value> | <key>=<value>,... (as used for example for the specification of inlining parameters varying by simplification round).
Arith_status
Flags that control rational arithmetic.
Array
Array operations.
ArrayLabels
Array operations.
Ast_helper
Helpers to produce Parsetree fragments
Ast_invariants
Check AST invariants
Ast_iterator
Ast_iterator.iterator allows to implement AST inspection using open recursion.
Ast_mapper
The interface of a -ppx rewriter
Asttypes
Auxiliary AST types used by parsetree and typedtree.
Attr_helper
Helpers for attributes
Big_int
Operations on arbitrary-precision integers.
Bigarray
Large, multi-dimensional, numerical arrays.
Buffer
Extensible buffers.
Builtin_attributes
Bytes
Byte sequence operations.
BytesLabels
Byte sequence operations.
Callback
Registering OCaml values with the C runtime.
CamlinternalFormat
CamlinternalFormatBasics
CamlinternalLazy
Run-time support for lazy values.
CamlinternalMod
Run-time support for recursive modules.
CamlinternalOO
Run-time support for objects and classes.
Ccomp
Char
Character operations.
Clflags
Optimization parameters represented as ints indexed by round number.
Complex
Complex numbers.
Condition
Condition variables to synchronize between threads.
Config
Consistbl
Depend
Module dependencies.
Digest
MD5 message digest.
Docstrings
Documentation comments
Dynlink
Dynamic loading of object files.
Ephemeron
Ephemerons and weak hash table
Event
First-class synchronous communication.
Filename
Operations on file names.
Format
Pretty printing.
Gc
Memory management control and statistics; finalised values.
Genlex
A generic lexical analyzer.
Graphics
Machine-independent graphics primitives.
GraphicsX11
Additional graphics primitives for the X Windows system.
Hashtbl
Hash tables and hash functions.
Identifiable
Uniform interface for common data structures over various things.
Int32
32-bit integers.
Int64
64-bit integers.
Lazy
Deferred computations.
Lexer
Lexing
The run-time library for lexers generated by ocamllex.
List
List operations.
ListLabels
List operations.
Location
Source code locations (ranges of positions), used in parsetree.
Longident
Long identifiers, used in parsetree.
Map
Association tables over ordered types.
Marshal
Marshaling of data structures.
Misc
protect_refs l f temporarily sets r to v for each R (r, v) in l while executing f.
MoreLabels
Extra labeled libraries.
Mutex
Locks for mutual exclusion.
Nativeint
Processor-native integers.
Num
Operation on arbitrary-precision numbers.
Numbers
Modules about numbers that satisfy Identifiable.S.
Obj
Operations on internal representations of values.
Oo
Operations on objects
Parse
Entry points in the parser
Parser
Parsetree
Abstract syntax tree produced by parsing
Parsing
The run-time library for parsers generated by ocamlyacc.
Pervasives
The initially opened module.
Pprintast
Printast
Printexc
Facilities for printing exceptions and inspecting current call stack.
Printf
Formatted output functions.
Queue
First-in first-out queues.
Random
Pseudo-random number generators (PRNG).
Ratio
Operation on rational numbers.
Scanf
Formatted input functions.
Set
Sets over ordered types.
Sort
Sorting and merging lists.
Spacetime
Profiling of a program's space behaviour over time.
Stack
Last-in first-out stacks.
StdLabels
Standard labeled libraries.
Str
Regular expressions and high-level string processing
Stream
Streams and parsers.
String
String operations.
StringLabels
String operations.
Strongly_connected_components
Kosaraju's algorithm for strongly connected components.
Syntaxerr
Auxiliary type for reporting syntax errors
Sys
System interface.
Targetint
Target processor-native integers.
Tbl
Terminfo
Thread
Lightweight threads for Posix 1003.1c and Win32.
ThreadUnix
Thread-compatible system calls.
Timings
Compiler performance recording
Uchar
Unicode characters.
Unix
Interface to the Unix system.
UnixLabels
Interface to the Unix system.
Warnings
Weak
Arrays of weak pointers and hash sets of weak pointers.
ocaml-doc-4.05/ocaml.html/libref/type_Bigarray.Genarray.html0000644000175000017500000004223613131636442023007 0ustar mehdimehdi Bigarray.Genarray sig
  type ('a, 'b, 'c) t
  external create :
    ('a, 'b) Bigarray.kind ->
    'Bigarray.layout -> int array -> ('a, 'b, 'c) Bigarray.Genarray.t
    = "caml_ba_create"
  external num_dims : ('a, 'b, 'c) Bigarray.Genarray.t -> int
    = "caml_ba_num_dims"
  val dims : ('a, 'b, 'c) Bigarray.Genarray.t -> int array
  external nth_dim : ('a, 'b, 'c) Bigarray.Genarray.t -> int -> int
    = "caml_ba_dim"
  external kind : ('a, 'b, 'c) Bigarray.Genarray.t -> ('a, 'b) Bigarray.kind
    = "caml_ba_kind"
  external layout : ('a, 'b, 'c) Bigarray.Genarray.t -> 'Bigarray.layout
    = "caml_ba_layout"
  external change_layout :
    ('a, 'b, 'c) Bigarray.Genarray.t ->
    'Bigarray.layout -> ('a, 'b, 'd) Bigarray.Genarray.t
    = "caml_ba_change_layout"
  val size_in_bytes : ('a, 'b, 'c) Bigarray.Genarray.t -> int
  external get : ('a, 'b, 'c) Bigarray.Genarray.t -> int array -> 'a
    = "caml_ba_get_generic"
  external set : ('a, 'b, 'c) Bigarray.Genarray.t -> int array -> '-> unit
    = "caml_ba_set_generic"
  external sub_left :
    ('a, 'b, Bigarray.c_layout) Bigarray.Genarray.t ->
    int -> int -> ('a, 'b, Bigarray.c_layout) Bigarray.Genarray.t
    = "caml_ba_sub"
  external sub_right :
    ('a, 'b, Bigarray.fortran_layout) Bigarray.Genarray.t ->
    int -> int -> ('a, 'b, Bigarray.fortran_layout) Bigarray.Genarray.t
    = "caml_ba_sub"
  external slice_left :
    ('a, 'b, Bigarray.c_layout) Bigarray.Genarray.t ->
    int array -> ('a, 'b, Bigarray.c_layout) Bigarray.Genarray.t
    = "caml_ba_slice"
  external slice_right :
    ('a, 'b, Bigarray.fortran_layout) Bigarray.Genarray.t ->
    int array -> ('a, 'b, Bigarray.fortran_layout) Bigarray.Genarray.t
    = "caml_ba_slice"
  external blit :
    ('a, 'b, 'c) Bigarray.Genarray.t ->
    ('a, 'b, 'c) Bigarray.Genarray.t -> unit = "caml_ba_blit"
  external fill : ('a, 'b, 'c) Bigarray.Genarray.t -> '-> unit
    = "caml_ba_fill"
  val map_file :
    Unix.file_descr ->
    ?pos:int64 ->
    ('a, 'b) Bigarray.kind ->
    'Bigarray.layout ->
    bool -> int array -> ('a, 'b, 'c) Bigarray.Genarray.t
end
ocaml-doc-4.05/ocaml.html/libref/type_Identifiable.S.Tbl.html0000644000175000017500000003317713131636451023004 0ustar mehdimehdi Identifiable.S.Tbl sig
  type key = T.t
  type 'a t = 'Hashtbl.Make(T).t
  val create : int -> 'a t
  val clear : 'a t -> unit
  val reset : 'a t -> unit
  val copy : 'a t -> 'a t
  val add : 'a t -> key -> '-> unit
  val remove : 'a t -> key -> unit
  val find : 'a t -> key -> 'a
  val find_opt : 'a t -> key -> 'a option
  val find_all : 'a t -> key -> 'a list
  val replace : 'a t -> key -> '-> unit
  val mem : 'a t -> key -> bool
  val iter : (key -> '-> unit) -> 'a t -> unit
  val filter_map_inplace : (key -> '-> 'a option) -> 'a t -> unit
  val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
  val length : 'a t -> int
  val stats : 'a t -> Hashtbl.statistics
  val to_list : 'Identifiable.S.t -> (Identifiable.S.T.t * 'a) list
  val of_list : (Identifiable.S.T.t * 'a) list -> 'Identifiable.S.t
  val to_map : 'Identifiable.S.t -> 'Identifiable.S.Map.t
  val of_map : 'Identifiable.S.Map.t -> 'Identifiable.S.t
  val memoize : 'Identifiable.S.t -> (key -> 'a) -> key -> 'a
  val map : 'Identifiable.S.t -> ('-> 'b) -> 'Identifiable.S.t
end
ocaml-doc-4.05/ocaml.html/libref/Ast_helper.Md.html0000644000175000017500000001731713131636441021065 0ustar mehdimehdi Ast_helper.Md

Module Ast_helper.Md

module Md: sig .. end
Module declarations

val mk : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
?docs:Docstrings.docs ->
?text:Docstrings.text ->
Ast_helper.str -> Parsetree.module_type -> Parsetree.module_declaration
ocaml-doc-4.05/ocaml.html/libref/Depend.StringMap.html0000644000175000017500000007001113131636443021532 0ustar mehdimehdi Depend.StringMap

Module Depend.StringMap

module StringMap: Map.S  with type key = string

type key 
The type of the map keys.
type +'a t 
The type of maps from type key to type 'a.
val empty : 'a t
The empty map.
val is_empty : 'a t -> bool
Test whether a map is empty or not.
val mem : key -> 'a t -> bool
mem x m returns true if m contains a binding for x, and false otherwise.
val add : key -> 'a -> 'a t -> 'a t
add x y m returns a map containing the same bindings as m, plus a binding of x to y. If x was already bound in m to a value that is physically equal to y, m is returned unchanged (the result of the function is then physically equal to m). Otherwise, the previous binding of x in m disappears.
Before 4.03 Physical equality was not ensured.
val singleton : key -> 'a -> 'a t
singleton x y returns the one-element map that contains a binding y for x.
Since 3.12.0
val remove : key -> 'a t -> 'a t
remove x m returns a map containing the same bindings as m, except for x which is unbound in the returned map. If x was not in m, m is returned unchanged (the result of the function is then physically equal to m).
Before 4.03 Physical equality was not ensured.
val merge : (key -> 'a option -> 'b option -> 'c option) ->
'a t -> 'b t -> 'c t
merge f m1 m2 computes a map whose keys is a subset of keys of m1 and of m2. The presence of each such binding, and the corresponding value, is determined with the function f. In terms of the find_opt operation, we have find_opt x (merge f m1 m2) = f (find_opt x m1) (find_opt x m2) for any key x, provided that None None = None.
Since 3.12.0
val union : (key -> 'a -> 'a -> 'a option) ->
'a t -> 'a t -> 'a t
union f m1 m2 computes a map whose keys is the union of keys of m1 and of m2. When the same binding is defined in both arguments, the function f is used to combine them. This is a special case of merge: union f m1 m2 is equivalent to merge f' m1 m2, where
Since 4.03.0
val compare : ('a -> 'a -> int) -> 'a t -> 'a t -> int
Total ordering between maps. The first argument is a total ordering used to compare data associated with equal keys in the two maps.
val equal : ('a -> 'a -> bool) -> 'a t -> 'a t -> bool
equal cmp m1 m2 tests whether the maps m1 and m2 are equal, that is, contain equal keys and associate them with equal data. cmp is the equality predicate used to compare the data associated with the keys.
val iter : (key -> 'a -> unit) -> 'a t -> unit
iter f m applies f to all bindings in map m. f receives the key as first argument, and the associated value as second argument. The bindings are passed to f in increasing order with respect to the ordering over the type of the keys.
val fold : (key -> 'a -> 'b -> 'b) -> 'a t -> 'b -> 'b
fold f m a computes (f kN dN ... (f k1 d1 a)...), where k1 ... kN are the keys of all bindings in m (in increasing order), and d1 ... dN are the associated data.
val for_all : (key -> 'a -> bool) -> 'a t -> bool
for_all p m checks if all the bindings of the map satisfy the predicate p.
Since 3.12.0
val exists : (key -> 'a -> bool) -> 'a t -> bool
exists p m checks if at least one binding of the map satisfies the predicate p.
Since 3.12.0
val filter : (key -> 'a -> bool) -> 'a t -> 'a t
filter p m returns the map with all the bindings in m that satisfy predicate p. If p satisfies every binding in m, m is returned unchanged (the result of the function is then physically equal to m)
Before 4.03 Physical equality was not ensured.
Since 3.12.0
val partition : (key -> 'a -> bool) -> 'a t -> 'a t * 'a t
partition p m returns a pair of maps (m1, m2), where m1 contains all the bindings of s that satisfy the predicate p, and m2 is the map with all the bindings of s that do not satisfy p.
Since 3.12.0
val cardinal : 'a t -> int
Return the number of bindings of a map.
Since 3.12.0
val bindings : 'a t -> (key * 'a) list
Return the list of all bindings of the given map. The returned list is sorted in increasing order with respect to the ordering Ord.compare, where Ord is the argument given to Map.Make.
Since 3.12.0
val min_binding : 'a t -> key * 'a
Return the smallest binding of the given map (with respect to the Ord.compare ordering), or raise Not_found if the map is empty.
Since 3.12.0
val min_binding_opt : 'a t -> (key * 'a) option
Return the smallest binding of the given map (with respect to the Ord.compare ordering), or None if the map is empty.
Since 4.05
val max_binding : 'a t -> key * 'a
Same as Map.S.min_binding, but returns the largest binding of the given map.
Since 3.12.0
val max_binding_opt : 'a t -> (key * 'a) option
Same as Map.S.min_binding_opt, but returns the largest binding of the given map.
Since 4.05
val choose : 'a t -> key * 'a
Return one binding of the given map, or raise Not_found if the map is empty. Which binding is chosen is unspecified, but equal bindings will be chosen for equal maps.
Since 3.12.0
val choose_opt : 'a t -> (key * 'a) option
Return one binding of the given map, or None if the map is empty. Which binding is chosen is unspecified, but equal bindings will be chosen for equal maps.
Since 4.05
val split : key -> 'a t -> 'a t * 'a option * 'a t
split x m returns a triple (l, data, r), where l is the map with all the bindings of m whose key is strictly less than x; r is the map with all the bindings of m whose key is strictly greater than x; data is None if m contains no binding for x, or Some v if m binds v to x.
Since 3.12.0
val find : key -> 'a t -> 'a
find x m returns the current binding of x in m, or raises Not_found if no such binding exists.
val find_opt : key -> 'a t -> 'a option
find_opt x m returns Some v if the current binding of x in m is v, or None if no such binding exists.
Since 4.05
val find_first : (key -> bool) -> 'a t -> key * 'a
find_first f m, where f is a monotonically increasing function, returns the binding of m with the lowest key k such that f k, or raises Not_found if no such key exists.

For example, find_first (fun k -> Ord.compare k x >= 0) m will return the first binding k, v of m where Ord.compare k x >= 0 (intuitively: k >= x), or raise Not_found if x is greater than any element of m.
Since 4.05

val find_first_opt : (key -> bool) -> 'a t -> (key * 'a) option
find_first_opt f m, where f is a monotonically increasing function, returns an option containing the binding of m with the lowest key k such that f k, or None if no such key exists.
Since 4.05
val find_last : (key -> bool) -> 'a t -> key * 'a
find_last f m, where f is a monotonically decreasing function, returns the binding of m with the highest key k such that f k, or raises Not_found if no such key exists.
Since 4.05
val find_last_opt : (key -> bool) -> 'a t -> (key * 'a) option
find_last_opt f m, where f is a monotonically decreasing function, returns an option containing the binding of m with the highest key k such that f k, or None if no such key exists.
Since 4.05
val map : ('a -> 'b) -> 'a t -> 'b t
map f m returns a map with same domain as m, where the associated value a of all bindings of m has been replaced by the result of the application of f to a. The bindings are passed to f in increasing order with respect to the ordering over the type of the keys.
val mapi : (key -> 'a -> 'b) -> 'a t -> 'b t
Same as Map.S.map, but the function receives as arguments both the key and the associated value for each binding of the map.
ocaml-doc-4.05/ocaml.html/libref/type_Strongly_connected_components.Make.html0000644000175000017500000001737113131636451026466 0ustar mehdimehdi Strongly_connected_components.Make functor (Id : Identifiable.S->
  sig
    type directed_graph = Id.Set.t Id.Map.t
    type component = Has_loop of Id.t list | No_loop of Id.t
    val connected_components_sorted_from_roots_to_leaf :
      directed_graph -> component array
    val component_graph : directed_graph -> (component * int list) array
  end
ocaml-doc-4.05/ocaml.html/libref/Map.OrderedType.html0000644000175000017500000002035713131636445021404 0ustar mehdimehdi Map.OrderedType

Module type Map.OrderedType

module type OrderedType = sig .. end
Input signature of the functor Map.Make.

type t 
The type of the map keys.
val compare : t -> t -> int
A total ordering function over the keys. This is a two-argument function f such that f e1 e2 is zero if the keys e1 and e2 are equal, f e1 e2 is strictly negative if e1 is smaller than e2, and f e1 e2 is strictly positive if e1 is greater than e2. Example: a suitable ordering function is the generic structural comparison function compare.
ocaml-doc-4.05/ocaml.html/libref/MoreLabels.Set.html0000644000175000017500000001765713131636446021233 0ustar mehdimehdi MoreLabels.Set

Module MoreLabels.Set

module Set: sig .. end

module type OrderedType = Set.OrderedType
module type S = sig .. end
module Make: 
functor (Ord : OrderedType-> S with type elt = Ord.t
ocaml-doc-4.05/ocaml.html/libref/Strongly_connected_components.Make.html0000644000175000017500000002322513131636451025420 0ustar mehdimehdi Strongly_connected_components.Make

Functor Strongly_connected_components.Make

module Make: 
functor (Id : Identifiable.S-> S with module Id := Id
Parameters:
Id : Identifiable.S

module Id: Identifiable.S 
type directed_graph = Id.Set.t Id.Map.t 
If (a -> set) belongs to the map, it means that there are edges from a to every element of set. It is assumed that no edge points to a vertex not represented in the map.
type component = 
| Has_loop of Id.t list
| No_loop of Id.t
val connected_components_sorted_from_roots_to_leaf : directed_graph ->
component array
val component_graph : directed_graph ->
(component * int list) array
ocaml-doc-4.05/ocaml.html/libref/Graphics.html0000644000175000017500000011661313131636444020202 0ustar mehdimehdi Graphics

Module Graphics

module Graphics: sig .. end
Machine-independent graphics primitives.

exception Graphic_failure of string
Raised by the functions below when they encounter an error.

Initializations

val open_graph : string -> unit
Show the graphics window or switch the screen to graphic mode. The graphics window is cleared and the current point is set to (0, 0). The string argument is used to pass optional information on the desired graphics mode, the graphics window size, and so on. Its interpretation is implementation-dependent. If the empty string is given, a sensible default is selected.
val close_graph : unit -> unit
Delete the graphics window or switch the screen back to text mode.
val set_window_title : string -> unit
Set the title of the graphics window.
val resize_window : int -> int -> unit
Resize and erase the graphics window.
val clear_graph : unit -> unit
Erase the graphics window.
val size_x : unit -> int
See Graphics.size_y.
val size_y : unit -> int
Return the size of the graphics window. Coordinates of the screen pixels range over 0 .. size_x()-1 and 0 .. size_y()-1. Drawings outside of this rectangle are clipped, without causing an error. The origin (0,0) is at the lower left corner. Some implementation (e.g. X Windows) represent coordinates by 16-bit integers, hence wrong clipping may occur with coordinates below -32768 or above 32676.

Colors

type color = int 
A color is specified by its R, G, B components. Each component is in the range 0..255. The three components are packed in an int: 0xRRGGBB, where RR are the two hexadecimal digits for the red component, GG for the green component, BB for the blue component.
val rgb : int -> int -> int -> color
rgb r g b returns the integer encoding the color with red component r, green component g, and blue component b. r, g and b are in the range 0..255.
val set_color : color -> unit
Set the current drawing color.
val background : color
See Graphics.foreground.
val foreground : color
Default background and foreground colors (usually, either black foreground on a white background or white foreground on a black background). Graphics.clear_graph fills the screen with the background color. The initial drawing color is foreground.

Some predefined colors

val black : color
val white : color
val red : color
val green : color
val blue : color
val yellow : color
val cyan : color
val magenta : color

Point and line drawing

val plot : int -> int -> unit
Plot the given point with the current drawing color.
val plots : (int * int) array -> unit
Plot the given points with the current drawing color.
val point_color : int -> int -> color
Return the color of the given point in the backing store (see "Double buffering" below).
val moveto : int -> int -> unit
Position the current point.
val rmoveto : int -> int -> unit
rmoveto dx dy translates the current point by the given vector.
val current_x : unit -> int
Return the abscissa of the current point.
val current_y : unit -> int
Return the ordinate of the current point.
val current_point : unit -> int * int
Return the position of the current point.
val lineto : int -> int -> unit
Draw a line with endpoints the current point and the given point, and move the current point to the given point.
val rlineto : int -> int -> unit
Draw a line with endpoints the current point and the current point translated of the given vector, and move the current point to this point.
val curveto : int * int -> int * int -> int * int -> unit
curveto b c d draws a cubic Bezier curve starting from the current point to point d, with control points b and c, and moves the current point to d.
val draw_rect : int -> int -> int -> int -> unit
draw_rect x y w h draws the rectangle with lower left corner at x,y, width w and height h. The current point is unchanged. Raise Invalid_argument if w or h is negative.
val draw_poly_line : (int * int) array -> unit
draw_poly_line points draws the line that joins the points given by the array argument. The array contains the coordinates of the vertices of the polygonal line, which need not be closed. The current point is unchanged.
val draw_poly : (int * int) array -> unit
draw_poly polygon draws the given polygon. The array contains the coordinates of the vertices of the polygon. The current point is unchanged.
val draw_segments : (int * int * int * int) array -> unit
draw_segments segments draws the segments given in the array argument. Each segment is specified as a quadruple (x0, y0, x1, y1) where (x0, y0) and (x1, y1) are the coordinates of the end points of the segment. The current point is unchanged.
val draw_arc : int -> int -> int -> int -> int -> int -> unit
draw_arc x y rx ry a1 a2 draws an elliptical arc with center x,y, horizontal radius rx, vertical radius ry, from angle a1 to angle a2 (in degrees). The current point is unchanged. Raise Invalid_argument if rx or ry is negative.
val draw_ellipse : int -> int -> int -> int -> unit
draw_ellipse x y rx ry draws an ellipse with center x,y, horizontal radius rx and vertical radius ry. The current point is unchanged. Raise Invalid_argument if rx or ry is negative.
val draw_circle : int -> int -> int -> unit
draw_circle x y r draws a circle with center x,y and radius r. The current point is unchanged. Raise Invalid_argument if r is negative.
val set_line_width : int -> unit
Set the width of points and lines drawn with the functions above. Under X Windows, set_line_width 0 selects a width of 1 pixel and a faster, but less precise drawing algorithm than the one used when set_line_width 1 is specified. Raise Invalid_argument if the argument is negative.

Text drawing

val draw_char : char -> unit
See Graphics.draw_string.
val draw_string : string -> unit
Draw a character or a character string with lower left corner at current position. After drawing, the current position is set to the lower right corner of the text drawn.
val set_font : string -> unit
Set the font used for drawing text. The interpretation of the argument to set_font is implementation-dependent.
val set_text_size : int -> unit
Set the character size used for drawing text. The interpretation of the argument to set_text_size is implementation-dependent.
val text_size : string -> int * int
Return the dimensions of the given text, if it were drawn with the current font and size.

Filling

val fill_rect : int -> int -> int -> int -> unit
fill_rect x y w h fills the rectangle with lower left corner at x,y, width w and height h, with the current color. Raise Invalid_argument if w or h is negative.
val fill_poly : (int * int) array -> unit
Fill the given polygon with the current color. The array contains the coordinates of the vertices of the polygon.
val fill_arc : int -> int -> int -> int -> int -> int -> unit
Fill an elliptical pie slice with the current color. The parameters are the same as for Graphics.draw_arc.
val fill_ellipse : int -> int -> int -> int -> unit
Fill an ellipse with the current color. The parameters are the same as for Graphics.draw_ellipse.
val fill_circle : int -> int -> int -> unit
Fill a circle with the current color. The parameters are the same as for Graphics.draw_circle.

Images

type image 
The abstract type for images, in internal representation. Externally, images are represented as matrices of colors.
val transp : color
In matrices of colors, this color represent a 'transparent' point: when drawing the corresponding image, all pixels on the screen corresponding to a transparent pixel in the image will not be modified, while other points will be set to the color of the corresponding point in the image. This allows superimposing an image over an existing background.
val make_image : color array array -> image
Convert the given color matrix to an image. Each sub-array represents one horizontal line. All sub-arrays must have the same length; otherwise, exception Graphic_failure is raised.
val dump_image : image -> color array array
Convert an image to a color matrix.
val draw_image : image -> int -> int -> unit
Draw the given image with lower left corner at the given point.
val get_image : int -> int -> int -> int -> image
Capture the contents of a rectangle on the screen as an image. The parameters are the same as for Graphics.fill_rect.
val create_image : int -> int -> image
create_image w h returns a new image w pixels wide and h pixels tall, to be used in conjunction with blit_image. The initial image contents are random, except that no point is transparent.
val blit_image : image -> int -> int -> unit
blit_image img x y copies screen pixels into the image img, modifying img in-place. The pixels copied are those inside the rectangle with lower left corner at x,y, and width and height equal to those of the image. Pixels that were transparent in img are left unchanged.

Mouse and keyboard events

type status = {
   mouse_x : int; (*
X coordinate of the mouse
*)
   mouse_y : int; (*
Y coordinate of the mouse
*)
   button : bool; (*
true if a mouse button is pressed
*)
   keypressed : bool; (*
true if a key has been pressed
*)
   key : char; (*
the character for the key pressed
*)
}
To report events.
type event = 
| Button_down (*
A mouse button is pressed
*)
| Button_up (*
A mouse button is released
*)
| Key_pressed (*
A key is pressed
*)
| Mouse_motion (*
The mouse is moved
*)
| Poll (*
Don't wait; return immediately
*)
To specify events to wait for.
val wait_next_event : event list -> status
Wait until one of the events specified in the given event list occurs, and return the status of the mouse and keyboard at that time. If Poll is given in the event list, return immediately with the current status. If the mouse cursor is outside of the graphics window, the mouse_x and mouse_y fields of the event are outside the range 0..size_x()-1, 0..size_y()-1. Keypresses are queued, and dequeued one by one when the Key_pressed event is specified and the Poll event is not specified.
val loop_at_exit : event list -> (status -> unit) -> unit
Loop before exiting the program, the list given as argument is the list of handlers and the events on which these handlers are called. To exit cleanly the loop, the handler should raise Exit. Any other exception will be propagated outside of the loop.
Since 4.01

Mouse and keyboard polling

val mouse_pos : unit -> int * int
Return the position of the mouse cursor, relative to the graphics window. If the mouse cursor is outside of the graphics window, mouse_pos() returns a point outside of the range 0..size_x()-1, 0..size_y()-1.
val button_down : unit -> bool
Return true if the mouse button is pressed, false otherwise.
val read_key : unit -> char
Wait for a key to be pressed, and return the corresponding character. Keypresses are queued.
val key_pressed : unit -> bool
Return true if a keypress is available; that is, if read_key would not block.

Sound

val sound : int -> int -> unit
sound freq dur plays a sound at frequency freq (in hertz) for a duration dur (in milliseconds).

Double buffering

val auto_synchronize : bool -> unit
By default, drawing takes place both on the window displayed on screen, and in a memory area (the 'backing store'). The backing store image is used to re-paint the on-screen window when necessary.

To avoid flicker during animations, it is possible to turn off on-screen drawing, perform a number of drawing operations in the backing store only, then refresh the on-screen window explicitly.

auto_synchronize false turns on-screen drawing off. All subsequent drawing commands are performed on the backing store only.

auto_synchronize true refreshes the on-screen window from the backing store (as per synchronize), then turns on-screen drawing back on. All subsequent drawing commands are performed both on screen and in the backing store.

The default drawing mode corresponds to auto_synchronize true.

val synchronize : unit -> unit
Synchronize the backing store and the on-screen window, by copying the contents of the backing store onto the graphics window.
val display_mode : bool -> unit
Set display mode on or off. When turned on, drawings are done in the graphics window; when turned off, drawings do not affect the graphics window. This occurs independently of drawing into the backing store (see the function Graphics.remember_mode below). Default display mode is on.
val remember_mode : bool -> unit
Set remember mode on or off. When turned on, drawings are done in the backing store; when turned off, the backing store is unaffected by drawings. This occurs independently of drawing onto the graphics window (see the function Graphics.display_mode above). Default remember mode is on.
ocaml-doc-4.05/ocaml.html/libref/CamlinternalFormatBasics.html0000644000175000017500000020215613131636442023345 0ustar mehdimehdi CamlinternalFormatBasics

Module CamlinternalFormatBasics

module CamlinternalFormatBasics: sig .. end

type padty = 
| Left
| Right
| Zeros
type int_conv = 
| Int_d
| Int_pd
| Int_sd
| Int_i
| Int_pi
| Int_si
| Int_x
| Int_Cx
| Int_X
| Int_CX
| Int_o
| Int_Co
| Int_u
type float_conv = 
| Float_f
| Float_pf
| Float_sf
| Float_e
| Float_pe
| Float_se
| Float_E
| Float_pE
| Float_sE
| Float_g
| Float_pg
| Float_sg
| Float_G
| Float_pG
| Float_sG
| Float_F
| Float_h
| Float_ph
| Float_sh
| Float_H
| Float_pH
| Float_sH
type char_set = string 
type counter = 
| Line_counter
| Char_counter
| Token_counter
type ('a, 'b) padding = 
| No_padding : ('a0, 'a0) padding
| Lit_padding : padty * int -> ('a1, 'a1) padding
| Arg_padding : padty -> (int -> 'a2, 'a2) padding
type pad_option = int option 
type ('a, 'b) precision = 
| No_precision : ('a0, 'a0) precision
| Lit_precision : int -> ('a1, 'a1) precision
| Arg_precision : (int -> 'a2, 'a2) precision
type prec_option = int option 
type ('a, 'b, 'c) custom_arity = 
| Custom_zero : ('a0, string, 'a0) custom_arity
| Custom_succ : ('a1, 'b0, 'c0) custom_arity -> ('a1, 'x -> 'b0, 'x -> 'c0) custom_arity
type block_type = 
| Pp_hbox
| Pp_vbox
| Pp_hvbox
| Pp_hovbox
| Pp_box
| Pp_fits
type formatting_lit = 
| Close_box
| Close_tag
| Break of string * int * int
| FFlush
| Force_newline
| Flush_newline
| Magic_size of string * int
| Escaped_at
| Escaped_percent
| Scan_indic of char
type ('a, 'b, 'c, 'd, 'e, 'f) formatting_gen = 
| Open_tag : ('a0, 'b0, 'c0, 'd0, 'e0, 'f0) format6 -> ('a0, 'b0, 'c0, 'd0, 'e0, 'f0) formatting_gen
| Open_box : ('a1, 'b1, 'c1, 'd1, 'e1, 'f1) format6 -> ('a1, 'b1, 'c1, 'd1, 'e1, 'f1) formatting_gen
type ('a, 'b, 'c, 'd, 'e, 'f) fmtty = ('a, 'b, 'c, 'd, 'e, 'f, 'a, 'b, 'c, 'd, 'e, 'f)
fmtty_rel
type ('a1, 'b1, 'c1, 'd1, 'e1, 'f1, 'a2, 'b2, 'c2, 'd2, 'e2, 'f2) fmtty_rel = 
| Char_ty : ('a10, 'b10, 'c10, 'd10, 'e10, 'f10, 'a20, 'b20, 'c20, 'd20, 'e20, 'f20)
fmtty_rel
-> (char -> 'a10, 'b10, 'c10, 'd10, 'e10, 'f10, char -> 'a20, 'b20, 'c20, 'd20,
'e20, 'f20)
fmtty_rel
| String_ty : ('a11, 'b11, 'c11, 'd11, 'e11, 'f11, 'a21, 'b21, 'c21, 'd21, 'e21, 'f21)
fmtty_rel
-> (string -> 'a11, 'b11, 'c11, 'd11, 'e11, 'f11, string -> 'a21, 'b21, 'c21,
'd21, 'e21, 'f21)
fmtty_rel
| Int_ty : ('a12, 'b12, 'c12, 'd12, 'e12, 'f12, 'a22, 'b22, 'c22, 'd22, 'e22, 'f22)
fmtty_rel
-> (int -> 'a12, 'b12, 'c12, 'd12, 'e12, 'f12, int -> 'a22, 'b22, 'c22, 'd22,
'e22, 'f22)
fmtty_rel
| Int32_ty : ('a13, 'b13, 'c13, 'd13, 'e13, 'f13, 'a23, 'b23, 'c23, 'd23, 'e23, 'f23)
fmtty_rel
-> (int32 -> 'a13, 'b13, 'c13, 'd13, 'e13, 'f13, int32 -> 'a23, 'b23, 'c23,
'd23, 'e23, 'f23)
fmtty_rel
| Nativeint_ty : ('a14, 'b14, 'c14, 'd14, 'e14, 'f14, 'a24, 'b24, 'c24, 'd24, 'e24, 'f24)
fmtty_rel
-> (nativeint -> 'a14, 'b14, 'c14, 'd14, 'e14, 'f14, nativeint -> 'a24, 'b24,
'c24, 'd24, 'e24, 'f24)
fmtty_rel
| Int64_ty : ('a15, 'b15, 'c15, 'd15, 'e15, 'f15, 'a25, 'b25, 'c25, 'd25, 'e25, 'f25)
fmtty_rel
-> (int64 -> 'a15, 'b15, 'c15, 'd15, 'e15, 'f15, int64 -> 'a25, 'b25, 'c25,
'd25, 'e25, 'f25)
fmtty_rel
| Float_ty : ('a16, 'b16, 'c16, 'd16, 'e16, 'f16, 'a26, 'b26, 'c26, 'd26, 'e26, 'f26)
fmtty_rel
-> (float -> 'a16, 'b16, 'c16, 'd16, 'e16, 'f16, float -> 'a26, 'b26, 'c26,
'd26, 'e26, 'f26)
fmtty_rel
| Bool_ty : ('a17, 'b17, 'c17, 'd17, 'e17, 'f17, 'a27, 'b27, 'c27, 'd27, 'e27, 'f27)
fmtty_rel
-> (bool -> 'a17, 'b17, 'c17, 'd17, 'e17, 'f17, bool -> 'a27, 'b27, 'c27, 'd27,
'e27, 'f27)
fmtty_rel
| Format_arg_ty : ('g, 'h, 'i, 'j, 'k, 'l) fmtty
* ('a18, 'b18, 'c18, 'd18, 'e18, 'f18, 'a28, 'b28, 'c28, 'd28, 'e28, 'f28)
fmtty_rel
-> (('g, 'h, 'i, 'j, 'k, 'l) format6 -> 'a18, 'b18,
'c18, 'd18, 'e18, 'f18,
('g, 'h, 'i, 'j, 'k, 'l) format6 -> 'a28, 'b28,
'c28, 'd28, 'e28, 'f28)
fmtty_rel
| Format_subst_ty : ('g0, 'h0, 'i0, 'j0, 'k0, 'l0, 'g1, 'b19, 'c19, 'j1, 'd19, 'a19)
fmtty_rel
* ('g0, 'h0, 'i0, 'j0, 'k0, 'l0, 'g2, 'b29, 'c29, 'j2, 'd29, 'a29)
fmtty_rel
* ('a19, 'b19, 'c19, 'd19, 'e19, 'f19, 'a29, 'b29, 'c29, 'd29, 'e29, 'f29)
fmtty_rel
-> (('g0, 'h0, 'i0, 'j0, 'k0, 'l0) format6 -> 'g1,
'b19, 'c19, 'j1, 'e19, 'f19,
('g0, 'h0, 'i0, 'j0, 'k0, 'l0) format6 -> 'g2,
'b29, 'c29, 'j2, 'e29, 'f29)
fmtty_rel
| Alpha_ty : ('a110, 'b110, 'c110, 'd110, 'e110, 'f110, 'a210, 'b210, 'c210, 'd210, 'e210,
'f210)
fmtty_rel
-> (('b110 -> 'x -> 'c110) -> 'x -> 'a110, 'b110, 'c110, 'd110, 'e110, 'f110,
('b210 -> 'x -> 'c210) -> 'x -> 'a210, 'b210, 'c210, 'd210, 'e210, 'f210)
fmtty_rel
| Theta_ty : ('a111, 'b111, 'c111, 'd111, 'e111, 'f111, 'a211, 'b211, 'c211, 'd211, 'e211,
'f211)
fmtty_rel
-> (('b111 -> 'c111) -> 'a111, 'b111, 'c111, 'd111, 'e111, 'f111,
('b211 -> 'c211) -> 'a211, 'b211, 'c211, 'd211, 'e211, 'f211)
fmtty_rel
| Any_ty : ('a112, 'b112, 'c112, 'd112, 'e112, 'f112, 'a212, 'b212, 'c212, 'd212, 'e212,
'f212)
fmtty_rel
-> ('x0 -> 'a112, 'b112, 'c112, 'd112, 'e112, 'f112, 'x0 -> 'a212, 'b212, 'c212,
'd212, 'e212, 'f212)
fmtty_rel
| Reader_ty : ('a113, 'b113, 'c113, 'd113, 'e113, 'f113, 'a213, 'b213, 'c213, 'd213, 'e213,
'f213)
fmtty_rel
-> ('x1 -> 'a113, 'b113, 'c113, ('b113 -> 'x1) -> 'd113, 'e113, 'f113,
'x1 -> 'a213, 'b213, 'c213, ('b213 -> 'x1) -> 'd213, 'e213, 'f213)
fmtty_rel
| Ignored_reader_ty : ('a114, 'b114, 'c114, 'd114, 'e114, 'f114, 'a214, 'b214, 'c214, 'd214, 'e214,
'f214)
fmtty_rel
-> ('a114, 'b114, 'c114, ('b114 -> 'x2) -> 'd114, 'e114, 'f114, 'a214, 'b214,
'c214, ('b214 -> 'x2) -> 'd214, 'e214, 'f214)
fmtty_rel
| End_of_fmtty : ('f115, 'b115, 'c115, 'd115, 'd115, 'f115, 'f215, 'b215, 'c215, 'd215, 'd215,
'f215)
fmtty_rel
type ('a, 'b, 'c, 'd, 'e, 'f) fmt = 
| Char : ('a0, 'b0, 'c0, 'd0, 'e0, 'f0) fmt -> (char -> 'a0, 'b0, 'c0, 'd0, 'e0, 'f0) fmt
| Caml_char : ('a1, 'b1, 'c1, 'd1, 'e1, 'f1) fmt -> (char -> 'a1, 'b1, 'c1, 'd1, 'e1, 'f1) fmt
| String : ('x, string -> 'a2) padding
* ('a2, 'b2, 'c2, 'd2, 'e2, 'f2) fmt
-> ('x, 'b2, 'c2, 'd2, 'e2, 'f2) fmt
| Caml_string : ('x0, string -> 'a3) padding
* ('a3, 'b3, 'c3, 'd3, 'e3, 'f3) fmt
-> ('x0, 'b3, 'c3, 'd3, 'e3, 'f3) fmt
| Int : int_conv
* ('x1, 'y) padding
* ('y, int -> 'a4) precision
* ('a4, 'b4, 'c4, 'd4, 'e4, 'f4) fmt
-> ('x1, 'b4, 'c4, 'd4, 'e4, 'f4) fmt
| Int32 : int_conv
* ('x2, 'y0) padding
* ('y0, int32 -> 'a5) precision
* ('a5, 'b5, 'c5, 'd5, 'e5, 'f5) fmt
-> ('x2, 'b5, 'c5, 'd5, 'e5, 'f5) fmt
| Nativeint : int_conv
* ('x3, 'y1) padding
* ('y1, nativeint -> 'a6) precision
* ('a6, 'b6, 'c6, 'd6, 'e6, 'f6) fmt
-> ('x3, 'b6, 'c6, 'd6, 'e6, 'f6) fmt
| Int64 : int_conv
* ('x4, 'y2) padding
* ('y2, int64 -> 'a7) precision
* ('a7, 'b7, 'c7, 'd7, 'e7, 'f7) fmt
-> ('x4, 'b7, 'c7, 'd7, 'e7, 'f7) fmt
| Float : float_conv
* ('x5, 'y3) padding
* ('y3, float -> 'a8) precision
* ('a8, 'b8, 'c8, 'd8, 'e8, 'f8) fmt
-> ('x5, 'b8, 'c8, 'd8, 'e8, 'f8) fmt
| Bool : ('a9, 'b9, 'c9, 'd9, 'e9, 'f9) fmt -> (bool -> 'a9, 'b9, 'c9, 'd9, 'e9, 'f9) fmt
| Flush : ('a10, 'b10, 'c10, 'd10, 'e10, 'f10) fmt -> ('a10, 'b10, 'c10, 'd10, 'e10, 'f10) fmt
| String_literal : string * ('a11, 'b11, 'c11, 'd11, 'e11, 'f11) fmt -> ('a11, 'b11, 'c11, 'd11, 'e11, 'f11) fmt
| Char_literal : char * ('a12, 'b12, 'c12, 'd12, 'e12, 'f12) fmt -> ('a12, 'b12, 'c12, 'd12, 'e12, 'f12) fmt
| Format_arg : pad_option
* ('g, 'h, 'i, 'j, 'k, 'l) fmtty
* ('a13, 'b13, 'c13, 'd13, 'e13, 'f13) fmt
-> (('g, 'h, 'i, 'j, 'k, 'l) format6 -> 'a13, 'b13,
'c13, 'd13, 'e13, 'f13)
fmt
| Format_subst : pad_option
* ('g0, 'h0, 'i0, 'j0, 'k0, 'l0, 'g2, 'b14, 'c14, 'j2, 'd14, 'a14)
fmtty_rel
* ('a14, 'b14, 'c14, 'd14, 'e14, 'f14) fmt
-> (('g0, 'h0, 'i0, 'j0, 'k0, 'l0) format6 -> 'g2,
'b14, 'c14, 'j2, 'e14, 'f14)
fmt
| Alpha : ('a15, 'b15, 'c15, 'd15, 'e15, 'f15) fmt -> (('b15 -> 'x6 -> 'c15) -> 'x6 -> 'a15, 'b15, 'c15, 'd15, 'e15, 'f15)
fmt
| Theta : ('a16, 'b16, 'c16, 'd16, 'e16, 'f16) fmt -> (('b16 -> 'c16) -> 'a16, 'b16, 'c16, 'd16, 'e16, 'f16)
fmt
| Formatting_lit : formatting_lit
* ('a17, 'b17, 'c17, 'd17, 'e17, 'f17) fmt
-> ('a17, 'b17, 'c17, 'd17, 'e17, 'f17) fmt
| Formatting_gen : ('a18, 'b18, 'c18, 'd18, 'e18, 'f18) formatting_gen
* ('f18, 'b18, 'c18, 'e18, 'e20, 'f20) fmt
-> ('a18, 'b18, 'c18, 'd18, 'e20, 'f20) fmt
| Reader : ('a19, 'b19, 'c19, 'd19, 'e19, 'f19) fmt -> ('x7 -> 'a19, 'b19, 'c19, ('b19 -> 'x7) -> 'd19, 'e19, 'f19)
fmt
| Scan_char_set : pad_option * char_set
* ('a20, 'b20, 'c20, 'd20, 'e21, 'f21) fmt
-> (string -> 'a20, 'b20, 'c20, 'd20, 'e21, 'f21) fmt
| Scan_get_counter : counter
* ('a21, 'b21, 'c21, 'd21, 'e22, 'f22) fmt
-> (int -> 'a21, 'b21, 'c21, 'd21, 'e22, 'f22) fmt
| Scan_next_char : ('a22, 'b22, 'c22, 'd22, 'e23, 'f23) fmt -> (char -> 'a22, 'b22, 'c22, 'd22, 'e23, 'f23) fmt
| Ignored_param : ('a23, 'b23, 'c23, 'd23, 'y4, 'x8) ignored
* ('x8, 'b23, 'c23, 'y4, 'e24, 'f24) fmt
-> ('a23, 'b23, 'c23, 'd23, 'e24, 'f24) fmt
| Custom : ('a24, 'x9, 'y5) custom_arity * (unit -> 'x9)
* ('a24, 'b24, 'c24, 'd24, 'e25, 'f25) fmt
-> ('y5, 'b24, 'c24, 'd24, 'e25, 'f25) fmt
| End_of_format : ('f26, 'b25, 'c25, 'e26, 'e26, 'f26) fmt
List of format elements.
type ('a, 'b, 'c, 'd, 'e, 'f) ignored = 
| Ignored_char : ('a0, 'b0, 'c0, 'd0, 'd0, 'a0) ignored
| Ignored_caml_char : ('a1, 'b1, 'c1, 'd1, 'd1, 'a1) ignored
| Ignored_string : pad_option -> ('a2, 'b2, 'c2, 'd2, 'd2, 'a2) ignored
| Ignored_caml_string : pad_option -> ('a3, 'b3, 'c3, 'd3, 'd3, 'a3) ignored
| Ignored_int : int_conv * pad_option -> ('a4, 'b4, 'c4, 'd4, 'd4, 'a4) ignored
| Ignored_int32 : int_conv * pad_option -> ('a5, 'b5, 'c5, 'd5, 'd5, 'a5) ignored
| Ignored_nativeint : int_conv * pad_option -> ('a6, 'b6, 'c6, 'd6, 'd6, 'a6) ignored
| Ignored_int64 : int_conv * pad_option -> ('a7, 'b7, 'c7, 'd7, 'd7, 'a7) ignored
| Ignored_float : pad_option * prec_option -> ('a8, 'b8, 'c8, 'd8, 'd8, 'a8) ignored
| Ignored_bool : ('a9, 'b9, 'c9, 'd9, 'd9, 'a9) ignored
| Ignored_format_arg : pad_option
* ('g, 'h, 'i, 'j, 'k, 'l) fmtty
-> ('a10, 'b10, 'c10, 'd10, 'd10, 'a10) ignored
| Ignored_format_subst : pad_option
* ('a11, 'b11, 'c11, 'd11, 'e0, 'f0) fmtty
-> ('a11, 'b11, 'c11, 'd11, 'e0, 'f0) ignored
| Ignored_reader : ('a12, 'b12, 'c12, ('b12 -> 'x) -> 'd12, 'd12, 'a12)
ignored
| Ignored_scan_char_set : pad_option * char_set -> ('a13, 'b13, 'c13, 'd13, 'd13, 'a13) ignored
| Ignored_scan_get_counter : counter -> ('a14, 'b14, 'c14, 'd14, 'd14, 'a14) ignored
| Ignored_scan_next_char : ('a15, 'b15, 'c15, 'd15, 'd15, 'a15) ignored
type ('a, 'b, 'c, 'd, 'e, 'f) format6 = 
| Format of ('a, 'b, 'c, 'd, 'e, 'f) fmt * string
val concat_fmtty : ('g1, 'b1, 'c1, 'j1, 'd1, 'a1, 'g2, 'b2, 'c2, 'j2, 'd2, 'a2)
fmtty_rel ->
('a1, 'b1, 'c1, 'd1, 'e1, 'f1, 'a2, 'b2, 'c2, 'd2, 'e2, 'f2)
fmtty_rel ->
('g1, 'b1, 'c1, 'j1, 'e1, 'f1, 'g2, 'b2, 'c2, 'j2, 'e2, 'f2)
fmtty_rel
val erase_rel : ('a, 'b, 'c, 'd, 'e, 'f, 'g, 'h, 'i, 'j, 'k, 'l)
fmtty_rel ->
('a, 'b, 'c, 'd, 'e, 'f) fmtty
val concat_fmt : ('a, 'b, 'c, 'd, 'e, 'f) fmt ->
('f, 'b, 'c, 'e, 'g, 'h) fmt ->
('a, 'b, 'c, 'd, 'g, 'h) fmt
ocaml-doc-4.05/ocaml.html/libref/Genlex.html0000644000175000017500000003340113131636444017655 0ustar mehdimehdi Genlex

Module Genlex

module Genlex: sig .. end
A generic lexical analyzer.

This module implements a simple 'standard' lexical analyzer, presented as a function from character streams to token streams. It implements roughly the lexical conventions of OCaml, but is parameterized by the set of keywords of your language.

Example: a lexer suitable for a desk calculator is obtained by

     let lexer = make_lexer ["+";"-";"*";"/";"let";"="; "("; ")"]  

The associated parser would be a function from token stream to, for instance, int, and would have rules such as:

           let rec parse_expr = parser
             | [< n1 = parse_atom; n2 = parse_remainder n1 >] -> n2
           and parse_atom = parser
             | [< 'Int n >] -> n
             | [< 'Kwd "("; n = parse_expr; 'Kwd ")" >] -> n
           and parse_remainder n1 = parser
             | [< 'Kwd "+"; n2 = parse_expr >] -> n1+n2
             | [< >] -> n1
   

One should notice that the use of the parser keyword and associated notation for streams are only available through camlp4 extensions. This means that one has to preprocess its sources e. g. by using the "-pp" command-line switch of the compilers.


type token = 
| Kwd of string
| Ident of string
| Int of int
| Float of float
| String of string
| Char of char
The type of tokens. The lexical classes are: Int and Float for integer and floating-point numbers; String for string literals, enclosed in double quotes; Char for character literals, enclosed in single quotes; Ident for identifiers (either sequences of letters, digits, underscores and quotes, or sequences of 'operator characters' such as +, *, etc); and Kwd for keywords (either identifiers or single 'special characters' such as (, }, etc).
val make_lexer : string list -> char Stream.t -> token Stream.t
Construct the lexer function. The first argument is the list of keywords. An identifier s is returned as Kwd s if s belongs to this list, and as Ident s otherwise. A special character s is returned as Kwd s if s belongs to this list, and cause a lexical error (exception Stream.Error with the offending lexeme as its parameter) otherwise. Blanks and newlines are skipped. Comments delimited by (* and *) are skipped as well, and can be nested. A Stream.Failure exception is raised if end of stream is unexpectedly reached.
ocaml-doc-4.05/ocaml.html/libref/MoreLabels.Hashtbl.MakeSeeded.html0000644000175000017500000002712213131636446024037 0ustar mehdimehdi MoreLabels.Hashtbl.MakeSeeded

Functor MoreLabels.Hashtbl.MakeSeeded

module MakeSeeded: 
functor (H : SeededHashedType-> SeededS with type key = H.t
Parameters:
H : SeededHashedType

type key 
type 'a t 
val create : ?random:bool -> int -> 'a t
val clear : 'a t -> unit
val reset : 'a t -> unit
val copy : 'a t -> 'a t
val add : 'a t ->
key:key -> data:'a -> unit
val remove : 'a t -> key -> unit
val find : 'a t -> key -> 'a
val find_opt : 'a t ->
key -> 'a option
val find_all : 'a t -> key -> 'a list
val replace : 'a t ->
key:key -> data:'a -> unit
val mem : 'a t -> key -> bool
val iter : f:(key:key -> data:'a -> unit) ->
'a t -> unit
val filter_map_inplace : f:(key:key -> data:'a -> 'a option) ->
'a t -> unit
val fold : f:(key:key -> data:'a -> 'b -> 'b) ->
'a t -> init:'b -> 'b
val length : 'a t -> int
val stats : 'a t -> MoreLabels.Hashtbl.statistics
ocaml-doc-4.05/ocaml.html/libref/Ast_helper.Ctf.html0000644000175000017500000002562513131636441021242 0ustar mehdimehdi Ast_helper.Ctf

Module Ast_helper.Ctf

module Ctf: sig .. end
Class type fields

val mk : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
?docs:Docstrings.docs ->
Parsetree.class_type_field_desc -> Parsetree.class_type_field
val attr : Parsetree.class_type_field ->
Parsetree.attribute -> Parsetree.class_type_field
val inherit_ : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs -> Parsetree.class_type -> Parsetree.class_type_field
val val_ : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Ast_helper.str ->
Asttypes.mutable_flag ->
Asttypes.virtual_flag -> Parsetree.core_type -> Parsetree.class_type_field
val method_ : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Ast_helper.str ->
Asttypes.private_flag ->
Asttypes.virtual_flag -> Parsetree.core_type -> Parsetree.class_type_field
val constraint_ : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Parsetree.core_type -> Parsetree.core_type -> Parsetree.class_type_field
val extension : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs -> Parsetree.extension -> Parsetree.class_type_field
val attribute : ?loc:Ast_helper.loc -> Parsetree.attribute -> Parsetree.class_type_field
val text : Docstrings.text -> Parsetree.class_type_field list
ocaml-doc-4.05/ocaml.html/libref/Ephemeron.Kn.Make.html0000644000175000017500000002176713131636443021613 0ustar mehdimehdi Ephemeron.Kn.Make

Functor Ephemeron.Kn.Make

module Make: 
functor (H : Hashtbl.HashedType-> Ephemeron.S with type key = H.t array
Functor building an implementation of a weak hash table
Parameters:
H : Hashtbl.HashedType


Propose the same interface as usual hash table. However since the bindings are weak, even if mem h k is true, a subsequent find h k may raise Not_found because the garbage collector can run between the two.

Moreover, the table shouldn't be modified during a call to iter. Use filter_map_inplace in this case.

include Hashtbl.S
val clean : 'a t -> unit
remove all dead bindings. Done automatically during automatic resizing.
val stats_alive : 'a t -> Hashtbl.statistics
same as Hashtbl.SeededS.stats but only count the alive bindings
ocaml-doc-4.05/ocaml.html/libref/Set.S.html0000644000175000017500000006311013131636450017364 0ustar mehdimehdi Set.S

Module type Set.S

module type S = sig .. end
Output signature of the functor Set.Make.

type elt 
The type of the set elements.
type t 
The type of sets.
val empty : t
The empty set.
val is_empty : t -> bool
Test whether a set is empty or not.
val mem : elt -> t -> bool
mem x s tests whether x belongs to the set s.
val add : elt -> t -> t
add x s returns a set containing all elements of s, plus x. If x was already in s, s is returned unchanged (the result of the function is then physically equal to s).
Before 4.03 Physical equality was not ensured.
val singleton : elt -> t
singleton x returns the one-element set containing only x.
val remove : elt -> t -> t
remove x s returns a set containing all elements of s, except x. If x was not in s, s is returned unchanged (the result of the function is then physically equal to s).
Before 4.03 Physical equality was not ensured.
val union : t -> t -> t
Set union.
val inter : t -> t -> t
Set intersection.
val diff : t -> t -> t
Set difference.
val compare : t -> t -> int
Total ordering between sets. Can be used as the ordering function for doing sets of sets.
val equal : t -> t -> bool
equal s1 s2 tests whether the sets s1 and s2 are equal, that is, contain equal elements.
val subset : t -> t -> bool
subset s1 s2 tests whether the set s1 is a subset of the set s2.
val iter : (elt -> unit) -> t -> unit
iter f s applies f in turn to all elements of s. The elements of s are presented to f in increasing order with respect to the ordering over the type of the elements.
val map : (elt -> elt) -> t -> t
map f s is the set whose elements are f a0,f a1... f
        aN
, where a0,a1...aN are the elements of s.

The elements are passed to f in increasing order with respect to the ordering over the type of the elements.

If no element of s is changed by f, s is returned unchanged. (If each output of f is physically equal to its input, the returned set is physically equal to s.)
Since 4.04.0

val fold : (elt -> 'a -> 'a) -> t -> 'a -> 'a
fold f s a computes (f xN ... (f x2 (f x1 a))...), where x1 ... xN are the elements of s, in increasing order.
val for_all : (elt -> bool) -> t -> bool
for_all p s checks if all elements of the set satisfy the predicate p.
val exists : (elt -> bool) -> t -> bool
exists p s checks if at least one element of the set satisfies the predicate p.
val filter : (elt -> bool) -> t -> t
filter p s returns the set of all elements in s that satisfy predicate p. If p satisfies every element in s, s is returned unchanged (the result of the function is then physically equal to s).
Before 4.03 Physical equality was not ensured.
val partition : (elt -> bool) -> t -> t * t
partition p s returns a pair of sets (s1, s2), where s1 is the set of all the elements of s that satisfy the predicate p, and s2 is the set of all the elements of s that do not satisfy p.
val cardinal : t -> int
Return the number of elements of a set.
val elements : t -> elt list
Return the list of all elements of the given set. The returned list is sorted in increasing order with respect to the ordering Ord.compare, where Ord is the argument given to Set.Make.
val min_elt : t -> elt
Return the smallest element of the given set (with respect to the Ord.compare ordering), or raise Not_found if the set is empty.
val min_elt_opt : t -> elt option
Return the smallest element of the given set (with respect to the Ord.compare ordering), or None if the set is empty.
Since 4.05
val max_elt : t -> elt
Same as Set.S.min_elt, but returns the largest element of the given set.
val max_elt_opt : t -> elt option
Same as Set.S.min_elt_opt, but returns the largest element of the given set.
Since 4.05
val choose : t -> elt
Return one element of the given set, or raise Not_found if the set is empty. Which element is chosen is unspecified, but equal elements will be chosen for equal sets.
val choose_opt : t -> elt option
Return one element of the given set, or None if the set is empty. Which element is chosen is unspecified, but equal elements will be chosen for equal sets.
Since 4.05
val split : elt -> t -> t * bool * t
split x s returns a triple (l, present, r), where l is the set of elements of s that are strictly less than x; r is the set of elements of s that are strictly greater than x; present is false if s contains no element equal to x, or true if s contains an element equal to x.
val find : elt -> t -> elt
find x s returns the element of s equal to x (according to Ord.compare), or raise Not_found if no such element exists.
Since 4.01.0
val find_opt : elt -> t -> elt option
find_opt x s returns the element of s equal to x (according to Ord.compare), or None if no such element exists.
Since 4.05
val find_first : (elt -> bool) -> t -> elt
find_first f s, where f is a monotonically increasing function, returns the lowest element e of s such that f e, or raises Not_found if no such element exists.

For example, find_first (fun e -> Ord.compare e x >= 0) s will return the first element e of s where Ord.compare e x >= 0 (intuitively: e >= x), or raise Not_found if x is greater than any element of s.
Since 4.05

val find_first_opt : (elt -> bool) -> t -> elt option
find_first_opt f s, where f is a monotonically increasing function, returns an option containing the lowest element e of s such that f e, or None if no such element exists.
Since 4.05
val find_last : (elt -> bool) -> t -> elt
find_last f s, where f is a monotonically decreasing function, returns the highest element e of s such that f e, or raises Not_found if no such element exists.
Since 4.05
val find_last_opt : (elt -> bool) -> t -> elt option
find_last_opt f s, where f is a monotonically decreasing function, returns an option containing the highest element e of s such that f e, or None if no such element exists.
Since 4.05
val of_list : elt list -> t
of_list l creates a set from a list of elements. This is usually more efficient than folding add over the list, except perhaps for lists with many duplicated elements.
Since 4.02.0
ocaml-doc-4.05/ocaml.html/libref/Config.html0000644000175000017500000003427013131636443017644 0ustar mehdimehdi Config

Module Config

module Config: sig .. end

val version : string
val standard_library : string
val standard_runtime : string
val ccomp_type : string
val bytecomp_c_compiler : string
val bytecomp_c_libraries : string
val native_c_compiler : string
val native_c_libraries : string
val native_pack_linker : string
val mkdll : string
val mkexe : string
val mkmaindll : string
val ranlib : string
val ar : string
val cc_profile : string
val load_path : string list ref
val interface_suffix : string ref
val exec_magic_number : string
val cmi_magic_number : string
val cmo_magic_number : string
val cma_magic_number : string
val cmx_magic_number : string
val cmxa_magic_number : string
val ast_intf_magic_number : string
val ast_impl_magic_number : string
val cmxs_magic_number : string
val cmt_magic_number : string
val max_tag : int
val lazy_tag : int
val max_young_wosize : int
val stack_threshold : int
val stack_safety_margin : int
val architecture : string
val model : string
val system : string
val asm : string
val asm_cfi_supported : bool
val with_frame_pointers : bool
val ext_obj : string
val ext_asm : string
val ext_lib : string
val ext_dll : string
val default_executable_name : string
val systhread_supported : bool
val flexdll_dirs : string list
val host : string
val target : string
val print_config : out_channel -> unit
val profiling : bool
val flambda : bool
val spacetime : bool
val profinfo : bool
val profinfo_width : int
val libunwind_available : bool
val libunwind_link_flags : string
val safe_string : bool
val afl_instrument : bool
ocaml-doc-4.05/ocaml.html/libref/Marshal.html0000644000175000017500000005417413131636445020035 0ustar mehdimehdi Marshal

Module Marshal

module Marshal: sig .. end
Marshaling of data structures.

This module provides functions to encode arbitrary data structures as sequences of bytes, which can then be written on a file or sent over a pipe or network connection. The bytes can then be read back later, possibly in another process, and decoded back into a data structure. The format for the byte sequences is compatible across all machines for a given version of OCaml.

Warning: marshaling is currently not type-safe. The type of marshaled data is not transmitted along the value of the data, making it impossible to check that the data read back possesses the type expected by the context. In particular, the result type of the Marshal.from_* functions is given as 'a, but this is misleading: the returned OCaml value does not possess type 'a for all 'a; it has one, unique type which cannot be determined at compile-type. The programmer should explicitly give the expected type of the returned value, using the following syntax:

Values of extensible variant types, for example exceptions (of extensible type exn), returned by the unmarhsaller should not be pattern-matched over through match ... with or try ... with, because unmarshalling does not preserve the information required for matching their constructors. Structural equalities with other extensible variant values does not work either. Most other uses such as Printexc.to_string, will still work as expected.

The representation of marshaled values is not human-readable, and uses bytes that are not printable characters. Therefore, input and output channels used in conjunction with Marshal.to_channel and Marshal.from_channel must be opened in binary mode, using e.g. open_out_bin or open_in_bin; channels opened in text mode will cause unmarshaling errors on platforms where text channels behave differently than binary channels, e.g. Windows.


type extern_flags = 
| No_sharing (*
Don't preserve sharing
*)
| Closures (*
Send function closures
*)
| Compat_32 (*
Ensure 32-bit compatibility
*)
The flags to the Marshal.to_* functions below.
val to_channel : out_channel -> 'a -> extern_flags list -> unit
Marshal.to_channel chan v flags writes the representation of v on channel chan. The flags argument is a possibly empty list of flags that governs the marshaling behavior with respect to sharing, functional values, and compatibility between 32- and 64-bit platforms.

If flags does not contain Marshal.No_sharing, circularities and sharing inside the value v are detected and preserved in the sequence of bytes produced. In particular, this guarantees that marshaling always terminates. Sharing between values marshaled by successive calls to Marshal.to_channel is neither detected nor preserved, though. If flags contains Marshal.No_sharing, sharing is ignored. This results in faster marshaling if v contains no shared substructures, but may cause slower marshaling and larger byte representations if v actually contains sharing, or even non-termination if v contains cycles.

If flags does not contain Marshal.Closures, marshaling fails when it encounters a functional value inside v: only 'pure' data structures, containing neither functions nor objects, can safely be transmitted between different programs. If flags contains Marshal.Closures, functional values will be marshaled as a the position in the code of the program together with the values corresponding to the free variables captured in the closure. In this case, the output of marshaling can only be read back in processes that run exactly the same program, with exactly the same compiled code. (This is checked at un-marshaling time, using an MD5 digest of the code transmitted along with the code position.)

The exact definition of which free variables are captured in a closure is not specified and can vary between bytecode and native code (and according to optimization flags). In particular, a function value accessing a global reference may or may not include the reference in its closure. If it does, unmarshaling the corresponding closure will create a new reference, different from the global one.

If flags contains Marshal.Compat_32, marshaling fails when it encounters an integer value outside the range [-2{^30}, 2{^30}-1] of integers that are representable on a 32-bit platform. This ensures that marshaled data generated on a 64-bit platform can be safely read back on a 32-bit platform. If flags does not contain Marshal.Compat_32, integer values outside the range [-2{^30}, 2{^30}-1] are marshaled, and can be read back on a 64-bit platform, but will cause an error at un-marshaling time when read back on a 32-bit platform. The Mashal.Compat_32 flag only matters when marshaling is performed on a 64-bit platform; it has no effect if marshaling is performed on a 32-bit platform.

val to_bytes : 'a -> extern_flags list -> bytes
Marshal.to_bytes v flags returns a byte sequence containing the representation of v. The flags argument has the same meaning as for Marshal.to_channel.
Since 4.02.0
val to_string : 'a -> extern_flags list -> string
Same as to_bytes but return the result as a string instead of a byte sequence.
val to_buffer : bytes -> int -> int -> 'a -> extern_flags list -> int
Marshal.to_buffer buff ofs len v flags marshals the value v, storing its byte representation in the sequence buff, starting at index ofs, and writing at most len bytes. It returns the number of bytes actually written to the sequence. If the byte representation of v does not fit in len characters, the exception Failure is raised.
val from_channel : in_channel -> 'a
Marshal.from_channel chan reads from channel chan the byte representation of a structured value, as produced by one of the Marshal.to_* functions, and reconstructs and returns the corresponding value.

It raises End_of_file if the function has already reached the end of file when starting to read from the channel, and raises Failure "input_value: truncated object" if it reaches the end of file later during the unmarshalling.

val from_bytes : bytes -> int -> 'a
Marshal.from_bytes buff ofs unmarshals a structured value like Marshal.from_channel does, except that the byte representation is not read from a channel, but taken from the byte sequence buff, starting at position ofs. The byte sequence is not mutated.
Since 4.02.0
val from_string : string -> int -> 'a
Same as from_bytes but take a string as argument instead of a byte sequence.
val header_size : int
The bytes representing a marshaled value are composed of a fixed-size header and a variable-sized data part, whose size can be determined from the header. Marshal.header_size is the size, in bytes, of the header. Marshal.data_size buff ofs is the size, in bytes, of the data part, assuming a valid header is stored in buff starting at position ofs. Finally, Marshal.total_size buff ofs is the total size, in bytes, of the marshaled value. Both Marshal.data_size and Marshal.total_size raise Failure if buff, ofs does not contain a valid header.

To read the byte representation of a marshaled value into a byte sequence, the program needs to read first Marshal.header_size bytes into the sequence, then determine the length of the remainder of the representation using Marshal.data_size, make sure the sequence is large enough to hold the remaining data, then read it, and finally call Marshal.from_bytes to unmarshal the value.

val data_size : bytes -> int -> int
See Marshal.header_size.
val total_size : bytes -> int -> int
See Marshal.header_size.
ocaml-doc-4.05/ocaml.html/libref/type_Misc.html0000644000175000017500000017046013131636446020400 0ustar mehdimehdi Misc sig
  val fatal_error : string -> 'a
  val fatal_errorf :
    ('a, Format.formatter, unit, 'b) Pervasives.format4 -> 'a
  exception Fatal_error
  val try_finally : (unit -> 'a) -> (unit -> unit) -> 'a
  val map_end : ('-> 'b) -> 'a list -> 'b list -> 'b list
  val map_left_right : ('-> 'b) -> 'a list -> 'b list
  val for_all2 : ('-> '-> bool) -> 'a list -> 'b list -> bool
  val replicate_list : '-> int -> 'a list
  val list_remove : '-> 'a list -> 'a list
  val split_last : 'a list -> 'a list * 'a
  val may : ('-> unit) -> 'a option -> unit
  val may_map : ('-> 'b) -> 'a option -> 'b option
  type ref_and_value = R : 'Pervasives.ref * '-> Misc.ref_and_value
  val protect_refs : Misc.ref_and_value list -> (unit -> 'a) -> 'a
  module Stdlib :
    sig
      module List :
        sig
          type 'a t = 'a list
          val compare :
            ('-> '-> int) ->
            'Misc.Stdlib.List.t -> 'Misc.Stdlib.List.t -> int
          val equal :
            ('-> '-> bool) ->
            'Misc.Stdlib.List.t -> 'Misc.Stdlib.List.t -> bool
          val filter_map :
            ('-> 'b option) ->
            'Misc.Stdlib.List.t -> 'Misc.Stdlib.List.t
          val some_if_all_elements_are_some :
            'a option Misc.Stdlib.List.t -> 'Misc.Stdlib.List.t option
          val map2_prefix :
            ('-> '-> 'c) ->
            'Misc.Stdlib.List.t ->
            'Misc.Stdlib.List.t ->
            'Misc.Stdlib.List.t * 'Misc.Stdlib.List.t
          val split_at :
            int ->
            'Misc.Stdlib.List.t ->
            'Misc.Stdlib.List.t * 'Misc.Stdlib.List.t
        end
      module Option :
        sig
          type 'a t = 'a option
          val equal :
            ('-> '-> bool) ->
            'Misc.Stdlib.Option.t -> 'Misc.Stdlib.Option.t -> bool
          val iter : ('-> unit) -> 'Misc.Stdlib.Option.t -> unit
          val map :
            ('-> 'b) -> 'Misc.Stdlib.Option.t -> 'Misc.Stdlib.Option.t
          val fold : ('-> '-> 'b) -> 'Misc.Stdlib.Option.t -> '-> 'b
          val value_default :
            ('-> 'b) -> default:'-> 'Misc.Stdlib.Option.t -> 'b
        end
    end
  val find_in_path : string list -> string -> string
  val find_in_path_rel : string list -> string -> string
  val find_in_path_uncap : string list -> string -> string
  val remove_file : string -> unit
  val expand_directory : string -> string -> string
  val create_hashtable : int -> ('a * 'b) list -> ('a, 'b) Hashtbl.t
  val copy_file : Pervasives.in_channel -> Pervasives.out_channel -> unit
  val copy_file_chunk :
    Pervasives.in_channel -> Pervasives.out_channel -> int -> unit
  val string_of_file : Pervasives.in_channel -> string
  val log2 : int -> int
  val align : int -> int -> int
  val no_overflow_add : int -> int -> bool
  val no_overflow_sub : int -> int -> bool
  val no_overflow_mul : int -> int -> bool
  val no_overflow_lsl : int -> int -> bool
  module Int_literal_converter :
    sig
      val int : string -> int
      val int32 : string -> int32
      val int64 : string -> int64
      val nativeint : string -> nativeint
    end
  val chop_extensions : string -> string
  val search_substring : string -> string -> int -> int
  val replace_substring : before:string -> after:string -> string -> string
  val rev_split_words : string -> string list
  val get_ref : 'a list Pervasives.ref -> 'a list
  val fst3 : 'a * 'b * '-> 'a
  val snd3 : 'a * 'b * '-> 'b
  val thd3 : 'a * 'b * '-> 'c
  val fst4 : 'a * 'b * 'c * '-> 'a
  val snd4 : 'a * 'b * 'c * '-> 'b
  val thd4 : 'a * 'b * 'c * '-> 'c
  val for4 : 'a * 'b * 'c * '-> 'd
  module LongString :
    sig
      type t = bytes array
      val create : int -> Misc.LongString.t
      val length : Misc.LongString.t -> int
      val get : Misc.LongString.t -> int -> char
      val set : Misc.LongString.t -> int -> char -> unit
      val blit :
        Misc.LongString.t -> int -> Misc.LongString.t -> int -> int -> unit
      val output :
        Pervasives.out_channel -> Misc.LongString.t -> int -> int -> unit
      val unsafe_blit_to_bytes :
        Misc.LongString.t -> int -> bytes -> int -> int -> unit
      val input_bytes : Pervasives.in_channel -> int -> Misc.LongString.t
    end
  val edit_distance : string -> string -> int -> int option
  val spellcheck : string list -> string -> string list
  val did_you_mean : Format.formatter -> (unit -> string list) -> unit
  val cut_at : string -> char -> string * string
  module StringSet :
    sig
      type elt = string
      type t
      val empty : t
      val is_empty : t -> bool
      val mem : elt -> t -> bool
      val add : elt -> t -> t
      val singleton : elt -> t
      val remove : elt -> t -> t
      val union : t -> t -> t
      val inter : t -> t -> t
      val diff : t -> t -> t
      val compare : t -> t -> int
      val equal : t -> t -> bool
      val subset : t -> t -> bool
      val iter : (elt -> unit) -> t -> unit
      val map : (elt -> elt) -> t -> t
      val fold : (elt -> '-> 'a) -> t -> '-> 'a
      val for_all : (elt -> bool) -> t -> bool
      val exists : (elt -> bool) -> t -> bool
      val filter : (elt -> bool) -> t -> t
      val partition : (elt -> bool) -> t -> t * t
      val cardinal : t -> int
      val elements : t -> elt list
      val min_elt : t -> elt
      val min_elt_opt : t -> elt option
      val max_elt : t -> elt
      val max_elt_opt : t -> elt option
      val choose : t -> elt
      val choose_opt : t -> elt option
      val split : elt -> t -> t * bool * t
      val find : elt -> t -> elt
      val find_opt : elt -> t -> elt option
      val find_first : (elt -> bool) -> t -> elt
      val find_first_opt : (elt -> bool) -> t -> elt option
      val find_last : (elt -> bool) -> t -> elt
      val find_last_opt : (elt -> bool) -> t -> elt option
      val of_list : elt list -> t
    end
  module StringMap :
    sig
      type key = string
      type +'a t
      val empty : 'a t
      val is_empty : 'a t -> bool
      val mem : key -> 'a t -> bool
      val add : key -> '-> 'a t -> 'a t
      val singleton : key -> '-> 'a t
      val remove : key -> 'a t -> 'a t
      val merge :
        (key -> 'a option -> 'b option -> 'c option) -> 'a t -> 'b t -> 'c t
      val union : (key -> '-> '-> 'a option) -> 'a t -> 'a t -> 'a t
      val compare : ('-> '-> int) -> 'a t -> 'a t -> int
      val equal : ('-> '-> bool) -> 'a t -> 'a t -> bool
      val iter : (key -> '-> unit) -> 'a t -> unit
      val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
      val for_all : (key -> '-> bool) -> 'a t -> bool
      val exists : (key -> '-> bool) -> 'a t -> bool
      val filter : (key -> '-> bool) -> 'a t -> 'a t
      val partition : (key -> '-> bool) -> 'a t -> 'a t * 'a t
      val cardinal : 'a t -> int
      val bindings : 'a t -> (key * 'a) list
      val min_binding : 'a t -> key * 'a
      val min_binding_opt : 'a t -> (key * 'a) option
      val max_binding : 'a t -> key * 'a
      val max_binding_opt : 'a t -> (key * 'a) option
      val choose : 'a t -> key * 'a
      val choose_opt : 'a t -> (key * 'a) option
      val split : key -> 'a t -> 'a t * 'a option * 'a t
      val find : key -> 'a t -> 'a
      val find_opt : key -> 'a t -> 'a option
      val find_first : (key -> bool) -> 'a t -> key * 'a
      val find_first_opt : (key -> bool) -> 'a t -> (key * 'a) option
      val find_last : (key -> bool) -> 'a t -> key * 'a
      val find_last_opt : (key -> bool) -> 'a t -> (key * 'a) option
      val map : ('-> 'b) -> 'a t -> 'b t
      val mapi : (key -> '-> 'b) -> 'a t -> 'b t
    end
  module Color :
    sig
      type color =
          Black
        | Red
        | Green
        | Yellow
        | Blue
        | Magenta
        | Cyan
        | White
      type style =
          FG of Misc.Color.color
        | BG of Misc.Color.color
        | Bold
        | Reset
      val ansi_of_style_l : Misc.Color.style list -> string
      type styles = {
        error : Misc.Color.style list;
        warning : Misc.Color.style list;
        loc : Misc.Color.style list;
      }
      val default_styles : Misc.Color.styles
      val get_styles : unit -> Misc.Color.styles
      val set_styles : Misc.Color.styles -> unit
      type setting = Auto | Always | Never
      val setup : Misc.Color.setting option -> unit
      val set_color_tag_handling : Format.formatter -> unit
    end
  val normalise_eol : string -> string
  val delete_eol_spaces : string -> string
  type hook_info = { sourcefile : string; }
  exception HookExnWrapper of { error : exn; hook_name : string;
              hook_info : Misc.hook_info;
            }
  val raise_direct_hook_exn : exn -> 'a
  module type HookSig =
    sig
      type t
      val add_hook :
        string ->
        (Misc.hook_info -> Misc.HookSig.t -> Misc.HookSig.t) -> unit
      val apply_hooks : Misc.hook_info -> Misc.HookSig.t -> Misc.HookSig.t
    end
  module MakeHooks :
    functor (M : sig type t end->
      sig
        type t = M.t
        val add_hook : string -> (hook_info -> t -> t) -> unit
        val apply_hooks : hook_info -> t -> t
      end
end
ocaml-doc-4.05/ocaml.html/libref/Ast_helper.Pat.html0000644000175000017500000003542113131636441021245 0ustar mehdimehdi Ast_helper.Pat

Module Ast_helper.Pat

module Pat: sig .. end
Patterns

val mk : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs -> Parsetree.pattern_desc -> Parsetree.pattern
val attr : Parsetree.pattern -> Parsetree.attribute -> Parsetree.pattern
val any : ?loc:Ast_helper.loc -> ?attrs:Ast_helper.attrs -> unit -> Parsetree.pattern
val var : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs -> Ast_helper.str -> Parsetree.pattern
val alias : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Parsetree.pattern -> Ast_helper.str -> Parsetree.pattern
val constant : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs -> Parsetree.constant -> Parsetree.pattern
val interval : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Parsetree.constant -> Parsetree.constant -> Parsetree.pattern
val tuple : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs -> Parsetree.pattern list -> Parsetree.pattern
val construct : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Ast_helper.lid -> Parsetree.pattern option -> Parsetree.pattern
val variant : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Asttypes.label -> Parsetree.pattern option -> Parsetree.pattern
val record : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
(Ast_helper.lid * Parsetree.pattern) list ->
Asttypes.closed_flag -> Parsetree.pattern
val array : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs -> Parsetree.pattern list -> Parsetree.pattern
val or_ : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Parsetree.pattern -> Parsetree.pattern -> Parsetree.pattern
val constraint_ : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Parsetree.pattern -> Parsetree.core_type -> Parsetree.pattern
val type_ : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs -> Ast_helper.lid -> Parsetree.pattern
val lazy_ : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs -> Parsetree.pattern -> Parsetree.pattern
val unpack : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs -> Ast_helper.str -> Parsetree.pattern
val open_ : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Ast_helper.lid -> Parsetree.pattern -> Parsetree.pattern
val exception_ : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs -> Parsetree.pattern -> Parsetree.pattern
val extension : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs -> Parsetree.extension -> Parsetree.pattern
ocaml-doc-4.05/ocaml.html/libref/type_Ast_helper.Const.html0000644000175000017500000002042313131636441022644 0ustar mehdimehdi Ast_helper.Const sig
  val char : char -> Parsetree.constant
  val string : ?quotation_delimiter:string -> string -> Parsetree.constant
  val integer : ?suffix:char -> string -> Parsetree.constant
  val int : ?suffix:char -> int -> Parsetree.constant
  val int32 : ?suffix:char -> int32 -> Parsetree.constant
  val int64 : ?suffix:char -> int64 -> Parsetree.constant
  val nativeint : ?suffix:char -> nativeint -> Parsetree.constant
  val float : ?suffix:char -> string -> Parsetree.constant
end
ocaml-doc-4.05/ocaml.html/libref/index_methods.html0000644000175000017500000001475013131636452021272 0ustar mehdimehdi Index of class methods

Index of class methods

ocaml-doc-4.05/ocaml.html/libref/type_Terminfo.html0000644000175000017500000001722613131636451021264 0ustar mehdimehdi Terminfo sig
  type status = Uninitialised | Bad_term | Good_term of int
  external setup : Pervasives.out_channel -> Terminfo.status
    = "caml_terminfo_setup"
  external backup : int -> unit = "caml_terminfo_backup"
  external standout : bool -> unit = "caml_terminfo_standout"
  external resume : int -> unit = "caml_terminfo_resume"
end
ocaml-doc-4.05/ocaml.html/libref/type_Arg_helper.html0000644000175000017500000007362313131636441021553 0ustar mehdimehdi Arg_helper sig
  module Make :
    functor
      (S : sig
             module Key :
               sig
                 type t
                 val of_string : string -> Arg_helper.Make.Key.t
                 module Map :
                   sig
                     type key = t
                     type +'a t
                     val empty : 'a t
                     val is_empty : 'a t -> bool
                     val mem : key -> 'a t -> bool
                     val add : key -> '-> 'a t -> 'a t
                     val singleton : key -> '-> 'a t
                     val remove : key -> 'a t -> 'a t
                     val merge :
                       (key -> 'a option -> 'b option -> 'c option) ->
                       'a t -> 'b t -> 'c t
                     val union :
                       (key -> '-> '-> 'a option) -> 'a t -> 'a t -> 'a t
                     val compare : ('-> '-> int) -> 'a t -> 'a t -> int
                     val equal : ('-> '-> bool) -> 'a t -> 'a t -> bool
                     val iter : (key -> '-> unit) -> 'a t -> unit
                     val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
                     val for_all : (key -> '-> bool) -> 'a t -> bool
                     val exists : (key -> '-> bool) -> 'a t -> bool
                     val filter : (key -> '-> bool) -> 'a t -> 'a t
                     val partition :
                       (key -> '-> bool) -> 'a t -> 'a t * 'a t
                     val cardinal : 'a t -> int
                     val bindings : 'a t -> (key * 'a) list
                     val min_binding : 'a t -> key * 'a
                     val min_binding_opt : 'a t -> (key * 'a) option
                     val max_binding : 'a t -> key * 'a
                     val max_binding_opt : 'a t -> (key * 'a) option
                     val choose : 'a t -> key * 'a
                     val choose_opt : 'a t -> (key * 'a) option
                     val split : key -> 'a t -> 'a t * 'a option * 'a t
                     val find : key -> 'a t -> 'a
                     val find_opt : key -> 'a t -> 'a option
                     val find_first : (key -> bool) -> 'a t -> key * 'a
                     val find_first_opt :
                       (key -> bool) -> 'a t -> (key * 'a) option
                     val find_last : (key -> bool) -> 'a t -> key * 'a
                     val find_last_opt :
                       (key -> bool) -> 'a t -> (key * 'a) option
                     val map : ('-> 'b) -> 'a t -> 'b t
                     val mapi : (key -> '-> 'b) -> 'a t -> 'b t
                   end
               end
             module Value :
               sig
                 type t
                 val of_string : string -> Arg_helper.Make.Value.t
               end
           end->
      sig
        type parsed
        val default : S.Value.t -> Arg_helper.Make.parsed
        val set_base_default :
          S.Value.t -> Arg_helper.Make.parsed -> Arg_helper.Make.parsed
        val add_base_override :
          S.Key.t ->
          S.Value.t -> Arg_helper.Make.parsed -> Arg_helper.Make.parsed
        val reset_base_overrides :
          Arg_helper.Make.parsed -> Arg_helper.Make.parsed
        val set_user_default :
          S.Value.t -> Arg_helper.Make.parsed -> Arg_helper.Make.parsed
        val add_user_override :
          S.Key.t ->
          S.Value.t -> Arg_helper.Make.parsed -> Arg_helper.Make.parsed
        val parse :
          string -> string -> Arg_helper.Make.parsed Pervasives.ref -> unit
        type parse_result = Ok | Parse_failed of exn
        val parse_no_error :
          string ->
          Arg_helper.Make.parsed Pervasives.ref ->
          Arg_helper.Make.parse_result
        val get : key:S.Key.t -> Arg_helper.Make.parsed -> S.Value.t
      end
end
ocaml-doc-4.05/ocaml.html/libref/type_MoreLabels.Hashtbl.SeededS.html0000644000175000017500000003532513131636446024431 0ustar mehdimehdi MoreLabels.Hashtbl.SeededS sig
  type key
  and 'a t
  val create : ?random:bool -> int -> 'MoreLabels.Hashtbl.SeededS.t
  val clear : 'MoreLabels.Hashtbl.SeededS.t -> unit
  val reset : 'MoreLabels.Hashtbl.SeededS.t -> unit
  val copy :
    'MoreLabels.Hashtbl.SeededS.t -> 'MoreLabels.Hashtbl.SeededS.t
  val add :
    'MoreLabels.Hashtbl.SeededS.t ->
    key:MoreLabels.Hashtbl.SeededS.key -> data:'-> unit
  val remove :
    'MoreLabels.Hashtbl.SeededS.t -> MoreLabels.Hashtbl.SeededS.key -> unit
  val find :
    'MoreLabels.Hashtbl.SeededS.t -> MoreLabels.Hashtbl.SeededS.key -> 'a
  val find_opt :
    'MoreLabels.Hashtbl.SeededS.t ->
    MoreLabels.Hashtbl.SeededS.key -> 'a option
  val find_all :
    'MoreLabels.Hashtbl.SeededS.t ->
    MoreLabels.Hashtbl.SeededS.key -> 'a list
  val replace :
    'MoreLabels.Hashtbl.SeededS.t ->
    key:MoreLabels.Hashtbl.SeededS.key -> data:'-> unit
  val mem :
    'MoreLabels.Hashtbl.SeededS.t -> MoreLabels.Hashtbl.SeededS.key -> bool
  val iter :
    f:(key:MoreLabels.Hashtbl.SeededS.key -> data:'-> unit) ->
    'MoreLabels.Hashtbl.SeededS.t -> unit
  val filter_map_inplace :
    f:(key:MoreLabels.Hashtbl.SeededS.key -> data:'-> 'a option) ->
    'MoreLabels.Hashtbl.SeededS.t -> unit
  val fold :
    f:(key:MoreLabels.Hashtbl.SeededS.key -> data:'-> '-> 'b) ->
    'MoreLabels.Hashtbl.SeededS.t -> init:'-> 'b
  val length : 'MoreLabels.Hashtbl.SeededS.t -> int
  val stats :
    'MoreLabels.Hashtbl.SeededS.t -> MoreLabels.Hashtbl.statistics
end
ocaml-doc-4.05/ocaml.html/libref/StdLabels.List.html0000644000175000017500000010010413131636450021212 0ustar mehdimehdi StdLabels.List

Module StdLabels.List

module List: ListLabels

val length : 'a list -> int
Return the length (number of elements) of the given list.
val hd : 'a list -> 'a
Return the first element of the given list. Raise Failure "hd" if the list is empty.
val compare_lengths : 'a list -> 'b list -> int
Compare the lengths of two lists. compare_lengths l1 l2 is equivalent to compare (length l1) (length l2), except that the computation stops after itering on the shortest list.
Since 4.05.0
val compare_length_with : 'a list -> len:int -> int
Compare the length of a list to an integer. compare_length_with l n is equivalent to compare (length l) n, except that the computation stops after at most n iterations on the list.
Since 4.05.0
val cons : 'a -> 'a list -> 'a list
cons x xs is x :: xs
Since 4.05.0
val tl : 'a list -> 'a list
Return the given list without its first element. Raise Failure "tl" if the list is empty.
val nth : 'a list -> int -> 'a
Return the n-th element of the given list. The first element (head of the list) is at position 0. Raise Failure "nth" if the list is too short. Raise Invalid_argument "List.nth" if n is negative.
val nth_opt : 'a list -> int -> 'a option
Return the n-th element of the given list. The first element (head of the list) is at position 0. Return None if the list is too short. Raise Invalid_argument "List.nth" if n is negative.
Since 4.05
val rev : 'a list -> 'a list
List reversal.
val append : 'a list -> 'a list -> 'a list
Catenate two lists. Same function as the infix operator @. Not tail-recursive (length of the first argument). The @ operator is not tail-recursive either.
val rev_append : 'a list -> 'a list -> 'a list
List.rev_append l1 l2 reverses l1 and concatenates it to l2. This is equivalent to List.rev l1 @ l2, but rev_append is tail-recursive and more efficient.
val concat : 'a list list -> 'a list
Concatenate a list of lists. The elements of the argument are all concatenated together (in the same order) to give the result. Not tail-recursive (length of the argument + length of the longest sub-list).
val flatten : 'a list list -> 'a list
Same as concat. Not tail-recursive (length of the argument + length of the longest sub-list).

Iterators

val iter : f:('a -> unit) -> 'a list -> unit
List.iter f [a1; ...; an] applies function f in turn to a1; ...; an. It is equivalent to begin f a1; f a2; ...; f an; () end.
val iteri : f:(int -> 'a -> unit) -> 'a list -> unit
Same as List.iter, but the function is applied to the index of the element as first argument (counting from 0), and the element itself as second argument.
Since 4.00.0
val map : f:('a -> 'b) -> 'a list -> 'b list
List.map f [a1; ...; an] applies function f to a1, ..., an, and builds the list [f a1; ...; f an] with the results returned by f. Not tail-recursive.
val mapi : f:(int -> 'a -> 'b) -> 'a list -> 'b list
Same as List.map, but the function is applied to the index of the element as first argument (counting from 0), and the element itself as second argument.
Since 4.00.0
val rev_map : f:('a -> 'b) -> 'a list -> 'b list
List.rev_map f l gives the same result as List.rev (List.map f l), but is tail-recursive and more efficient.
val fold_left : f:('a -> 'b -> 'a) -> init:'a -> 'b list -> 'a
List.fold_left f a [b1; ...; bn] is f (... (f (f a b1) b2) ...) bn.
val fold_right : f:('a -> 'b -> 'b) -> 'a list -> init:'b -> 'b
List.fold_right f [a1; ...; an] b is f a1 (f a2 (... (f an b) ...)). Not tail-recursive.

Iterators on two lists

val iter2 : f:('a -> 'b -> unit) -> 'a list -> 'b list -> unit
List.iter2 f [a1; ...; an] [b1; ...; bn] calls in turn f a1 b1; ...; f an bn. Raise Invalid_argument if the two lists are determined to have different lengths.
val map2 : f:('a -> 'b -> 'c) -> 'a list -> 'b list -> 'c list
List.map2 f [a1; ...; an] [b1; ...; bn] is [f a1 b1; ...; f an bn]. Raise Invalid_argument if the two lists are determined to have different lengths. Not tail-recursive.
val rev_map2 : f:('a -> 'b -> 'c) -> 'a list -> 'b list -> 'c list
List.rev_map2 f l1 l2 gives the same result as List.rev (List.map2 f l1 l2), but is tail-recursive and more efficient.
val fold_left2 : f:('a -> 'b -> 'c -> 'a) -> init:'a -> 'b list -> 'c list -> 'a
List.fold_left2 f a [b1; ...; bn] [c1; ...; cn] is f (... (f (f a b1 c1) b2 c2) ...) bn cn. Raise Invalid_argument if the two lists are determined to have different lengths.
val fold_right2 : f:('a -> 'b -> 'c -> 'c) -> 'a list -> 'b list -> init:'c -> 'c
List.fold_right2 f [a1; ...; an] [b1; ...; bn] c is f a1 b1 (f a2 b2 (... (f an bn c) ...)). Raise Invalid_argument if the two lists are determined to have different lengths. Not tail-recursive.

List scanning

val for_all : f:('a -> bool) -> 'a list -> bool
for_all p [a1; ...; an] checks if all elements of the list satisfy the predicate p. That is, it returns (p a1) && (p a2) && ... && (p an).
val exists : f:('a -> bool) -> 'a list -> bool
exists p [a1; ...; an] checks if at least one element of the list satisfies the predicate p. That is, it returns (p a1) || (p a2) || ... || (p an).
val for_all2 : f:('a -> 'b -> bool) -> 'a list -> 'b list -> bool
Same as List.for_all, but for a two-argument predicate. Raise Invalid_argument if the two lists are determined to have different lengths.
val exists2 : f:('a -> 'b -> bool) -> 'a list -> 'b list -> bool
Same as List.exists, but for a two-argument predicate. Raise Invalid_argument if the two lists are determined to have different lengths.
val mem : 'a -> set:'a list -> bool
mem a l is true if and only if a is equal to an element of l.
val memq : 'a -> set:'a list -> bool
Same as List.mem, but uses physical equality instead of structural equality to compare list elements.

List searching

val find : f:('a -> bool) -> 'a list -> 'a
find p l returns the first element of the list l that satisfies the predicate p. Raise Not_found if there is no value that satisfies p in the list l.
val find_opt : f:('a -> bool) -> 'a list -> 'a option
find p l returns the first element of the list l that satisfies the predicate p. Returns None if there is no value that satisfies p in the list l.
Since 4.05
val filter : f:('a -> bool) -> 'a list -> 'a list
filter p l returns all the elements of the list l that satisfy the predicate p. The order of the elements in the input list is preserved.
val find_all : f:('a -> bool) -> 'a list -> 'a list
find_all is another name for List.filter.
val partition : f:('a -> bool) -> 'a list -> 'a list * 'a list
partition p l returns a pair of lists (l1, l2), where l1 is the list of all the elements of l that satisfy the predicate p, and l2 is the list of all the elements of l that do not satisfy p. The order of the elements in the input list is preserved.

Association lists

val assoc : 'a -> ('a * 'b) list -> 'b
assoc a l returns the value associated with key a in the list of pairs l. That is, assoc a [ ...; (a,b); ...] = b if (a,b) is the leftmost binding of a in list l. Raise Not_found if there is no value associated with a in the list l.
val assoc_opt : 'a -> ('a * 'b) list -> 'b option
assoc_opt a l returns the value associated with key a in the list of pairs l. That is, assoc a [ ...; (a,b); ...] = b if (a,b) is the leftmost binding of a in list l. Returns None if there is no value associated with a in the list l.
Since 4.05
val assq : 'a -> ('a * 'b) list -> 'b
Same as List.assoc, but uses physical equality instead of structural equality to compare keys.
val assq_opt : 'a -> ('a * 'b) list -> 'b option
Same as List.assoc_opt, but uses physical equality instead of structural equality to compare keys.
Since 4.05.0
val mem_assoc : 'a -> map:('a * 'b) list -> bool
Same as List.assoc, but simply return true if a binding exists, and false if no bindings exist for the given key.
val mem_assq : 'a -> map:('a * 'b) list -> bool
Same as List.mem_assoc, but uses physical equality instead of structural equality to compare keys.
val remove_assoc : 'a -> ('a * 'b) list -> ('a * 'b) list
remove_assoc a l returns the list of pairs l without the first pair with key a, if any. Not tail-recursive.
val remove_assq : 'a -> ('a * 'b) list -> ('a * 'b) list
Same as List.remove_assoc, but uses physical equality instead of structural equality to compare keys. Not tail-recursive.

Lists of pairs

val split : ('a * 'b) list -> 'a list * 'b list
Transform a list of pairs into a pair of lists: split [(a1,b1); ...; (an,bn)] is ([a1; ...; an], [b1; ...; bn]). Not tail-recursive.
val combine : 'a list -> 'b list -> ('a * 'b) list
Transform a pair of lists into a list of pairs: combine [a1; ...; an] [b1; ...; bn] is [(a1,b1); ...; (an,bn)]. Raise Invalid_argument if the two lists have different lengths. Not tail-recursive.

Sorting

val sort : cmp:('a -> 'a -> int) -> 'a list -> 'a list
Sort a list in increasing order according to a comparison function. The comparison function must return 0 if its arguments compare as equal, a positive integer if the first is greater, and a negative integer if the first is smaller (see Array.sort for a complete specification). For example, compare is a suitable comparison function. The resulting list is sorted in increasing order. List.sort is guaranteed to run in constant heap space (in addition to the size of the result list) and logarithmic stack space.

The current implementation uses Merge Sort. It runs in constant heap space and logarithmic stack space.

val stable_sort : cmp:('a -> 'a -> int) -> 'a list -> 'a list
Same as List.sort, but the sorting algorithm is guaranteed to be stable (i.e. elements that compare equal are kept in their original order) .

The current implementation uses Merge Sort. It runs in constant heap space and logarithmic stack space.

val fast_sort : cmp:('a -> 'a -> int) -> 'a list -> 'a list
Same as List.sort or List.stable_sort, whichever is faster on typical input.
val sort_uniq : cmp:('a -> 'a -> int) -> 'a list -> 'a list
Same as List.sort, but also remove duplicates.
Since 4.03.0
val merge : cmp:('a -> 'a -> int) -> 'a list -> 'a list -> 'a list
Merge two lists: Assuming that l1 and l2 are sorted according to the comparison function cmp, merge cmp l1 l2 will return a sorted list containting all the elements of l1 and l2. If several elements compare equal, the elements of l1 will be before the elements of l2. Not tail-recursive (sum of the lengths of the arguments).
ocaml-doc-4.05/ocaml.html/libref/type_MoreLabels.Hashtbl.S.html0000644000175000017500000003451613131636446023320 0ustar mehdimehdi MoreLabels.Hashtbl.S sig
  type key
  and 'a t
  val create : int -> 'MoreLabels.Hashtbl.S.t
  val clear : 'MoreLabels.Hashtbl.S.t -> unit
  val reset : 'MoreLabels.Hashtbl.S.t -> unit
  val copy : 'MoreLabels.Hashtbl.S.t -> 'MoreLabels.Hashtbl.S.t
  val add :
    'MoreLabels.Hashtbl.S.t ->
    key:MoreLabels.Hashtbl.S.key -> data:'-> unit
  val remove : 'MoreLabels.Hashtbl.S.t -> MoreLabels.Hashtbl.S.key -> unit
  val find : 'MoreLabels.Hashtbl.S.t -> MoreLabels.Hashtbl.S.key -> 'a
  val find_opt :
    'MoreLabels.Hashtbl.S.t -> MoreLabels.Hashtbl.S.key -> 'a option
  val find_all :
    'MoreLabels.Hashtbl.S.t -> MoreLabels.Hashtbl.S.key -> 'a list
  val replace :
    'MoreLabels.Hashtbl.S.t ->
    key:MoreLabels.Hashtbl.S.key -> data:'-> unit
  val mem : 'MoreLabels.Hashtbl.S.t -> MoreLabels.Hashtbl.S.key -> bool
  val iter :
    f:(key:MoreLabels.Hashtbl.S.key -> data:'-> unit) ->
    'MoreLabels.Hashtbl.S.t -> unit
  val filter_map_inplace :
    f:(key:MoreLabels.Hashtbl.S.key -> data:'-> 'a option) ->
    'MoreLabels.Hashtbl.S.t -> unit
  val fold :
    f:(key:MoreLabels.Hashtbl.S.key -> data:'-> '-> 'b) ->
    'MoreLabels.Hashtbl.S.t -> init:'-> 'b
  val length : 'MoreLabels.Hashtbl.S.t -> int
  val stats : 'MoreLabels.Hashtbl.S.t -> MoreLabels.Hashtbl.statistics
end
ocaml-doc-4.05/ocaml.html/libref/type_ListLabels.html0000644000175000017500000006221513131636445021540 0ustar mehdimehdi ListLabels sig
  val length : 'a list -> int
  val hd : 'a list -> 'a
  val compare_lengths : 'a list -> 'b list -> int
  val compare_length_with : 'a list -> len:int -> int
  val cons : '-> 'a list -> 'a list
  val tl : 'a list -> 'a list
  val nth : 'a list -> int -> 'a
  val nth_opt : 'a list -> int -> 'a option
  val rev : 'a list -> 'a list
  val append : 'a list -> 'a list -> 'a list
  val rev_append : 'a list -> 'a list -> 'a list
  val concat : 'a list list -> 'a list
  val flatten : 'a list list -> 'a list
  val iter : f:('-> unit) -> 'a list -> unit
  val iteri : f:(int -> '-> unit) -> 'a list -> unit
  val map : f:('-> 'b) -> 'a list -> 'b list
  val mapi : f:(int -> '-> 'b) -> 'a list -> 'b list
  val rev_map : f:('-> 'b) -> 'a list -> 'b list
  val fold_left : f:('-> '-> 'a) -> init:'-> 'b list -> 'a
  val fold_right : f:('-> '-> 'b) -> 'a list -> init:'-> 'b
  val iter2 : f:('-> '-> unit) -> 'a list -> 'b list -> unit
  val map2 : f:('-> '-> 'c) -> 'a list -> 'b list -> 'c list
  val rev_map2 : f:('-> '-> 'c) -> 'a list -> 'b list -> 'c list
  val fold_left2 :
    f:('-> '-> '-> 'a) -> init:'-> 'b list -> 'c list -> 'a
  val fold_right2 :
    f:('-> '-> '-> 'c) -> 'a list -> 'b list -> init:'-> 'c
  val for_all : f:('-> bool) -> 'a list -> bool
  val exists : f:('-> bool) -> 'a list -> bool
  val for_all2 : f:('-> '-> bool) -> 'a list -> 'b list -> bool
  val exists2 : f:('-> '-> bool) -> 'a list -> 'b list -> bool
  val mem : '-> set:'a list -> bool
  val memq : '-> set:'a list -> bool
  val find : f:('-> bool) -> 'a list -> 'a
  val find_opt : f:('-> bool) -> 'a list -> 'a option
  val filter : f:('-> bool) -> 'a list -> 'a list
  val find_all : f:('-> bool) -> 'a list -> 'a list
  val partition : f:('-> bool) -> 'a list -> 'a list * 'a list
  val assoc : '-> ('a * 'b) list -> 'b
  val assoc_opt : '-> ('a * 'b) list -> 'b option
  val assq : '-> ('a * 'b) list -> 'b
  val assq_opt : '-> ('a * 'b) list -> 'b option
  val mem_assoc : '-> map:('a * 'b) list -> bool
  val mem_assq : '-> map:('a * 'b) list -> bool
  val remove_assoc : '-> ('a * 'b) list -> ('a * 'b) list
  val remove_assq : '-> ('a * 'b) list -> ('a * 'b) list
  val split : ('a * 'b) list -> 'a list * 'b list
  val combine : 'a list -> 'b list -> ('a * 'b) list
  val sort : cmp:('-> '-> int) -> 'a list -> 'a list
  val stable_sort : cmp:('-> '-> int) -> 'a list -> 'a list
  val fast_sort : cmp:('-> '-> int) -> 'a list -> 'a list
  val sort_uniq : cmp:('-> '-> int) -> 'a list -> 'a list
  val merge : cmp:('-> '-> int) -> 'a list -> 'a list -> 'a list
end
ocaml-doc-4.05/ocaml.html/libref/type_Depend.html0000644000175000017500000007277113131636443020707 0ustar mehdimehdi Depend sig
  module StringSet :
    sig
      type elt = string
      type t
      val empty : t
      val is_empty : t -> bool
      val mem : elt -> t -> bool
      val add : elt -> t -> t
      val singleton : elt -> t
      val remove : elt -> t -> t
      val union : t -> t -> t
      val inter : t -> t -> t
      val diff : t -> t -> t
      val compare : t -> t -> int
      val equal : t -> t -> bool
      val subset : t -> t -> bool
      val iter : (elt -> unit) -> t -> unit
      val map : (elt -> elt) -> t -> t
      val fold : (elt -> '-> 'a) -> t -> '-> 'a
      val for_all : (elt -> bool) -> t -> bool
      val exists : (elt -> bool) -> t -> bool
      val filter : (elt -> bool) -> t -> t
      val partition : (elt -> bool) -> t -> t * t
      val cardinal : t -> int
      val elements : t -> elt list
      val min_elt : t -> elt
      val min_elt_opt : t -> elt option
      val max_elt : t -> elt
      val max_elt_opt : t -> elt option
      val choose : t -> elt
      val choose_opt : t -> elt option
      val split : elt -> t -> t * bool * t
      val find : elt -> t -> elt
      val find_opt : elt -> t -> elt option
      val find_first : (elt -> bool) -> t -> elt
      val find_first_opt : (elt -> bool) -> t -> elt option
      val find_last : (elt -> bool) -> t -> elt
      val find_last_opt : (elt -> bool) -> t -> elt option
      val of_list : elt list -> t
    end
  module StringMap :
    sig
      type key = string
      type +'a t
      val empty : 'a t
      val is_empty : 'a t -> bool
      val mem : key -> 'a t -> bool
      val add : key -> '-> 'a t -> 'a t
      val singleton : key -> '-> 'a t
      val remove : key -> 'a t -> 'a t
      val merge :
        (key -> 'a option -> 'b option -> 'c option) -> 'a t -> 'b t -> 'c t
      val union : (key -> '-> '-> 'a option) -> 'a t -> 'a t -> 'a t
      val compare : ('-> '-> int) -> 'a t -> 'a t -> int
      val equal : ('-> '-> bool) -> 'a t -> 'a t -> bool
      val iter : (key -> '-> unit) -> 'a t -> unit
      val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
      val for_all : (key -> '-> bool) -> 'a t -> bool
      val exists : (key -> '-> bool) -> 'a t -> bool
      val filter : (key -> '-> bool) -> 'a t -> 'a t
      val partition : (key -> '-> bool) -> 'a t -> 'a t * 'a t
      val cardinal : 'a t -> int
      val bindings : 'a t -> (key * 'a) list
      val min_binding : 'a t -> key * 'a
      val min_binding_opt : 'a t -> (key * 'a) option
      val max_binding : 'a t -> key * 'a
      val max_binding_opt : 'a t -> (key * 'a) option
      val choose : 'a t -> key * 'a
      val choose_opt : 'a t -> (key * 'a) option
      val split : key -> 'a t -> 'a t * 'a option * 'a t
      val find : key -> 'a t -> 'a
      val find_opt : key -> 'a t -> 'a option
      val find_first : (key -> bool) -> 'a t -> key * 'a
      val find_first_opt : (key -> bool) -> 'a t -> (key * 'a) option
      val find_last : (key -> bool) -> 'a t -> key * 'a
      val find_last_opt : (key -> bool) -> 'a t -> (key * 'a) option
      val map : ('-> 'b) -> 'a t -> 'b t
      val mapi : (key -> '-> 'b) -> 'a t -> 'b t
    end
  type map_tree = Node of Depend.StringSet.t * Depend.bound_map
  and bound_map = Depend.map_tree Depend.StringMap.t
  val make_leaf : string -> Depend.map_tree
  val make_node : Depend.bound_map -> Depend.map_tree
  val weaken_map : Depend.StringSet.t -> Depend.map_tree -> Depend.map_tree
  val free_structure_names : Depend.StringSet.t Pervasives.ref
  val open_module : Depend.bound_map -> Longident.t -> Depend.bound_map
  val add_use_file :
    Depend.bound_map -> Parsetree.toplevel_phrase list -> unit
  val add_signature : Depend.bound_map -> Parsetree.signature -> unit
  val add_implementation : Depend.bound_map -> Parsetree.structure -> unit
  val add_implementation_binding :
    Depend.bound_map -> Parsetree.structure -> Depend.bound_map
  val add_signature_binding :
    Depend.bound_map -> Parsetree.signature -> Depend.bound_map
end
ocaml-doc-4.05/ocaml.html/libref/Ast_helper.Mb.html0000644000175000017500000001730313131636441021056 0ustar mehdimehdi Ast_helper.Mb

Module Ast_helper.Mb

module Mb: sig .. end
Module bindings

val mk : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
?docs:Docstrings.docs ->
?text:Docstrings.text ->
Ast_helper.str -> Parsetree.module_expr -> Parsetree.module_binding
ocaml-doc-4.05/ocaml.html/libref/type_Arg.html0000644000175000017500000004011013131636440020174 0ustar mehdimehdi Arg sig
  type spec =
      Unit of (unit -> unit)
    | Bool of (bool -> unit)
    | Set of bool Pervasives.ref
    | Clear of bool Pervasives.ref
    | String of (string -> unit)
    | Set_string of string Pervasives.ref
    | Int of (int -> unit)
    | Set_int of int Pervasives.ref
    | Float of (float -> unit)
    | Set_float of float Pervasives.ref
    | Tuple of Arg.spec list
    | Symbol of string list * (string -> unit)
    | Rest of (string -> unit)
    | Expand of (string -> string array)
  type key = string
  type doc = string
  type usage_msg = string
  type anon_fun = string -> unit
  val parse :
    (Arg.key * Arg.spec * Arg.doc) list ->
    Arg.anon_fun -> Arg.usage_msg -> unit
  val parse_dynamic :
    (Arg.key * Arg.spec * Arg.doc) list Pervasives.ref ->
    Arg.anon_fun -> Arg.usage_msg -> unit
  val parse_argv :
    ?current:int Pervasives.ref ->
    string array ->
    (Arg.key * Arg.spec * Arg.doc) list ->
    Arg.anon_fun -> Arg.usage_msg -> unit
  val parse_argv_dynamic :
    ?current:int Pervasives.ref ->
    string array ->
    (Arg.key * Arg.spec * Arg.doc) list Pervasives.ref ->
    Arg.anon_fun -> string -> unit
  val parse_and_expand_argv_dynamic :
    int Pervasives.ref ->
    string array Pervasives.ref ->
    (Arg.key * Arg.spec * Arg.doc) list Pervasives.ref ->
    Arg.anon_fun -> string -> unit
  val parse_expand :
    (Arg.key * Arg.spec * Arg.doc) list ->
    Arg.anon_fun -> Arg.usage_msg -> unit
  exception Help of string
  exception Bad of string
  val usage : (Arg.key * Arg.spec * Arg.doc) list -> Arg.usage_msg -> unit
  val usage_string :
    (Arg.key * Arg.spec * Arg.doc) list -> Arg.usage_msg -> string
  val align :
    ?limit:int ->
    (Arg.key * Arg.spec * Arg.doc) list ->
    (Arg.key * Arg.spec * Arg.doc) list
  val current : int Pervasives.ref
  val read_arg : string -> string array
  val read_arg0 : string -> string array
  val write_arg : string -> string array -> unit
  val write_arg0 : string -> string array -> unit
end
ocaml-doc-4.05/ocaml.html/libref/type_Lexing.html0000644000175000017500000003165213131636445020731 0ustar mehdimehdi Lexing sig
  type position = {
    pos_fname : string;
    pos_lnum : int;
    pos_bol : int;
    pos_cnum : int;
  }
  val dummy_pos : Lexing.position
  type lexbuf = {
    refill_buff : Lexing.lexbuf -> unit;
    mutable lex_buffer : bytes;
    mutable lex_buffer_len : int;
    mutable lex_abs_pos : int;
    mutable lex_start_pos : int;
    mutable lex_curr_pos : int;
    mutable lex_last_pos : int;
    mutable lex_last_action : int;
    mutable lex_eof_reached : bool;
    mutable lex_mem : int array;
    mutable lex_start_p : Lexing.position;
    mutable lex_curr_p : Lexing.position;
  }
  val from_channel : Pervasives.in_channel -> Lexing.lexbuf
  val from_string : string -> Lexing.lexbuf
  val from_function : (bytes -> int -> int) -> Lexing.lexbuf
  val lexeme : Lexing.lexbuf -> string
  val lexeme_char : Lexing.lexbuf -> int -> char
  val lexeme_start : Lexing.lexbuf -> int
  val lexeme_end : Lexing.lexbuf -> int
  val lexeme_start_p : Lexing.lexbuf -> Lexing.position
  val lexeme_end_p : Lexing.lexbuf -> Lexing.position
  val new_line : Lexing.lexbuf -> unit
  val flush_input : Lexing.lexbuf -> unit
  val sub_lexeme : Lexing.lexbuf -> int -> int -> string
  val sub_lexeme_opt : Lexing.lexbuf -> int -> int -> string option
  val sub_lexeme_char : Lexing.lexbuf -> int -> char
  val sub_lexeme_char_opt : Lexing.lexbuf -> int -> char option
  type lex_tables = {
    lex_base : string;
    lex_backtrk : string;
    lex_default : string;
    lex_trans : string;
    lex_check : string;
    lex_base_code : string;
    lex_backtrk_code : string;
    lex_default_code : string;
    lex_trans_code : string;
    lex_check_code : string;
    lex_code : string;
  }
  val engine : Lexing.lex_tables -> int -> Lexing.lexbuf -> int
  val new_engine : Lexing.lex_tables -> int -> Lexing.lexbuf -> int
end
ocaml-doc-4.05/ocaml.html/libref/type_Nativeint.html0000644000175000017500000003244013131636447021442 0ustar mehdimehdi Nativeint sig
  val zero : nativeint
  val one : nativeint
  val minus_one : nativeint
  external neg : nativeint -> nativeint = "%nativeint_neg"
  external add : nativeint -> nativeint -> nativeint = "%nativeint_add"
  external sub : nativeint -> nativeint -> nativeint = "%nativeint_sub"
  external mul : nativeint -> nativeint -> nativeint = "%nativeint_mul"
  external div : nativeint -> nativeint -> nativeint = "%nativeint_div"
  external rem : nativeint -> nativeint -> nativeint = "%nativeint_mod"
  val succ : nativeint -> nativeint
  val pred : nativeint -> nativeint
  val abs : nativeint -> nativeint
  val size : int
  val max_int : nativeint
  val min_int : nativeint
  external logand : nativeint -> nativeint -> nativeint = "%nativeint_and"
  external logor : nativeint -> nativeint -> nativeint = "%nativeint_or"
  external logxor : nativeint -> nativeint -> nativeint = "%nativeint_xor"
  val lognot : nativeint -> nativeint
  external shift_left : nativeint -> int -> nativeint = "%nativeint_lsl"
  external shift_right : nativeint -> int -> nativeint = "%nativeint_asr"
  external shift_right_logical : nativeint -> int -> nativeint
    = "%nativeint_lsr"
  external of_int : int -> nativeint = "%nativeint_of_int"
  external to_int : nativeint -> int = "%nativeint_to_int"
  external of_float : float -> nativeint = "caml_nativeint_of_float"
    "caml_nativeint_of_float_unboxed" [@@unboxed] [@@noalloc]
  external to_float : nativeint -> float = "caml_nativeint_to_float"
    "caml_nativeint_to_float_unboxed" [@@unboxed] [@@noalloc]
  external of_int32 : int32 -> nativeint = "%nativeint_of_int32"
  external to_int32 : nativeint -> int32 = "%nativeint_to_int32"
  external of_string : string -> nativeint = "caml_nativeint_of_string"
  val of_string_opt : string -> nativeint option
  val to_string : nativeint -> string
  type t = nativeint
  val compare : Nativeint.t -> Nativeint.t -> int
  val equal : Nativeint.t -> Nativeint.t -> bool
  external format : string -> nativeint -> string = "caml_nativeint_format"
end
ocaml-doc-4.05/ocaml.html/libref/MoreLabels.html0000644000175000017500000002041113131636446020457 0ustar mehdimehdi MoreLabels

Module MoreLabels

module MoreLabels: sig .. end
Extra labeled libraries.

This meta-module provides labelized version of the Hashtbl, Map and Set modules.

They only differ by their labels. They are provided to help porting from previous versions of OCaml. The contents of this module are subject to change.


module Hashtbl: sig .. end
module Map: sig .. end
module Set: sig .. end
ocaml-doc-4.05/ocaml.html/libref/type_Random.html0000644000175000017500000002673513131636450020725 0ustar mehdimehdi Random sig
  val init : int -> unit
  val full_init : int array -> unit
  val self_init : unit -> unit
  val bits : unit -> int
  val int : int -> int
  val int32 : Int32.t -> Int32.t
  val nativeint : Nativeint.t -> Nativeint.t
  val int64 : Int64.t -> Int64.t
  val float : float -> float
  val bool : unit -> bool
  module State :
    sig
      type t
      val make : int array -> Random.State.t
      val make_self_init : unit -> Random.State.t
      val copy : Random.State.t -> Random.State.t
      val bits : Random.State.t -> int
      val int : Random.State.t -> int -> int
      val int32 : Random.State.t -> Int32.t -> Int32.t
      val nativeint : Random.State.t -> Nativeint.t -> Nativeint.t
      val int64 : Random.State.t -> Int64.t -> Int64.t
      val float : Random.State.t -> float -> float
      val bool : Random.State.t -> bool
    end
  val get_state : unit -> Random.State.t
  val set_state : Random.State.t -> unit
end
ocaml-doc-4.05/ocaml.html/libref/type_Set.Make.html0000644000175000017500000003332013131636450021100 0ustar mehdimehdi Set.Make functor (Ord : OrderedType->
  sig
    type elt = Ord.t
    type t
    val empty : t
    val is_empty : t -> bool
    val mem : elt -> t -> bool
    val add : elt -> t -> t
    val singleton : elt -> t
    val remove : elt -> t -> t
    val union : t -> t -> t
    val inter : t -> t -> t
    val diff : t -> t -> t
    val compare : t -> t -> int
    val equal : t -> t -> bool
    val subset : t -> t -> bool
    val iter : (elt -> unit) -> t -> unit
    val map : (elt -> elt) -> t -> t
    val fold : (elt -> '-> 'a) -> t -> '-> 'a
    val for_all : (elt -> bool) -> t -> bool
    val exists : (elt -> bool) -> t -> bool
    val filter : (elt -> bool) -> t -> t
    val partition : (elt -> bool) -> t -> t * t
    val cardinal : t -> int
    val elements : t -> elt list
    val min_elt : t -> elt
    val min_elt_opt : t -> elt option
    val max_elt : t -> elt
    val max_elt_opt : t -> elt option
    val choose : t -> elt
    val choose_opt : t -> elt option
    val split : elt -> t -> t * bool * t
    val find : elt -> t -> elt
    val find_opt : elt -> t -> elt option
    val find_first : (elt -> bool) -> t -> elt
    val find_first_opt : (elt -> bool) -> t -> elt option
    val find_last : (elt -> bool) -> t -> elt
    val find_last_opt : (elt -> bool) -> t -> elt option
    val of_list : elt list -> t
  end
ocaml-doc-4.05/ocaml.html/libref/Identifiable.S.T.html0000644000175000017500000001725013131636451021417 0ustar mehdimehdi Identifiable.S.T

Module Identifiable.S.T

module T: Identifiable.Thing  with type t = t

type t 
include Hashtbl.HashedType
include Map.OrderedType
val output : out_channel -> t -> unit
val print : Format.formatter -> t -> unit
ocaml-doc-4.05/ocaml.html/libref/type_Weak.S.html0000644000175000017500000002565113131636452020573 0ustar mehdimehdi Weak.S sig
  type data
  type t
  val create : int -> Weak.S.t
  val clear : Weak.S.t -> unit
  val merge : Weak.S.t -> Weak.S.data -> Weak.S.data
  val add : Weak.S.t -> Weak.S.data -> unit
  val remove : Weak.S.t -> Weak.S.data -> unit
  val find : Weak.S.t -> Weak.S.data -> Weak.S.data
  val find_opt : Weak.S.t -> Weak.S.data -> Weak.S.data option
  val find_all : Weak.S.t -> Weak.S.data -> Weak.S.data list
  val mem : Weak.S.t -> Weak.S.data -> bool
  val iter : (Weak.S.data -> unit) -> Weak.S.t -> unit
  val fold : (Weak.S.data -> '-> 'a) -> Weak.S.t -> '-> 'a
  val count : Weak.S.t -> int
  val stats : Weak.S.t -> int * int * int * int * int * int
end
ocaml-doc-4.05/ocaml.html/libref/Depend.StringSet.html0000644000175000017500000006257013131636443021563 0ustar mehdimehdi Depend.StringSet

Module Depend.StringSet

module StringSet: Set.S  with type elt = string

type elt 
The type of the set elements.
type t 
The type of sets.
val empty : t
The empty set.
val is_empty : t -> bool
Test whether a set is empty or not.
val mem : elt -> t -> bool
mem x s tests whether x belongs to the set s.
val add : elt -> t -> t
add x s returns a set containing all elements of s, plus x. If x was already in s, s is returned unchanged (the result of the function is then physically equal to s).
Before 4.03 Physical equality was not ensured.
val singleton : elt -> t
singleton x returns the one-element set containing only x.
val remove : elt -> t -> t
remove x s returns a set containing all elements of s, except x. If x was not in s, s is returned unchanged (the result of the function is then physically equal to s).
Before 4.03 Physical equality was not ensured.
val union : t -> t -> t
Set union.
val inter : t -> t -> t
Set intersection.
val diff : t -> t -> t
Set difference.
val compare : t -> t -> int
Total ordering between sets. Can be used as the ordering function for doing sets of sets.
val equal : t -> t -> bool
equal s1 s2 tests whether the sets s1 and s2 are equal, that is, contain equal elements.
val subset : t -> t -> bool
subset s1 s2 tests whether the set s1 is a subset of the set s2.
val iter : (elt -> unit) -> t -> unit
iter f s applies f in turn to all elements of s. The elements of s are presented to f in increasing order with respect to the ordering over the type of the elements.
val map : (elt -> elt) -> t -> t
map f s is the set whose elements are f a0,f a1... f
        aN
, where a0,a1...aN are the elements of s.

The elements are passed to f in increasing order with respect to the ordering over the type of the elements.

If no element of s is changed by f, s is returned unchanged. (If each output of f is physically equal to its input, the returned set is physically equal to s.)
Since 4.04.0

val fold : (elt -> 'a -> 'a) -> t -> 'a -> 'a
fold f s a computes (f xN ... (f x2 (f x1 a))...), where x1 ... xN are the elements of s, in increasing order.
val for_all : (elt -> bool) -> t -> bool
for_all p s checks if all elements of the set satisfy the predicate p.
val exists : (elt -> bool) -> t -> bool
exists p s checks if at least one element of the set satisfies the predicate p.
val filter : (elt -> bool) -> t -> t
filter p s returns the set of all elements in s that satisfy predicate p. If p satisfies every element in s, s is returned unchanged (the result of the function is then physically equal to s).
Before 4.03 Physical equality was not ensured.
val partition : (elt -> bool) -> t -> t * t
partition p s returns a pair of sets (s1, s2), where s1 is the set of all the elements of s that satisfy the predicate p, and s2 is the set of all the elements of s that do not satisfy p.
val cardinal : t -> int
Return the number of elements of a set.
val elements : t -> elt list
Return the list of all elements of the given set. The returned list is sorted in increasing order with respect to the ordering Ord.compare, where Ord is the argument given to Set.Make.
val min_elt : t -> elt
Return the smallest element of the given set (with respect to the Ord.compare ordering), or raise Not_found if the set is empty.
val min_elt_opt : t -> elt option
Return the smallest element of the given set (with respect to the Ord.compare ordering), or None if the set is empty.
Since 4.05
val max_elt : t -> elt
Same as Set.S.min_elt, but returns the largest element of the given set.
val max_elt_opt : t -> elt option
Same as Set.S.min_elt_opt, but returns the largest element of the given set.
Since 4.05
val choose : t -> elt
Return one element of the given set, or raise Not_found if the set is empty. Which element is chosen is unspecified, but equal elements will be chosen for equal sets.
val choose_opt : t -> elt option
Return one element of the given set, or None if the set is empty. Which element is chosen is unspecified, but equal elements will be chosen for equal sets.
Since 4.05
val split : elt -> t -> t * bool * t
split x s returns a triple (l, present, r), where l is the set of elements of s that are strictly less than x; r is the set of elements of s that are strictly greater than x; present is false if s contains no element equal to x, or true if s contains an element equal to x.
val find : elt -> t -> elt
find x s returns the element of s equal to x (according to Ord.compare), or raise Not_found if no such element exists.
Since 4.01.0
val find_opt : elt -> t -> elt option
find_opt x s returns the element of s equal to x (according to Ord.compare), or None if no such element exists.
Since 4.05
val find_first : (elt -> bool) -> t -> elt
find_first f s, where f is a monotonically increasing function, returns the lowest element e of s such that f e, or raises Not_found if no such element exists.

For example, find_first (fun e -> Ord.compare e x >= 0) s will return the first element e of s where Ord.compare e x >= 0 (intuitively: e >= x), or raise Not_found if x is greater than any element of s.
Since 4.05

val find_first_opt : (elt -> bool) -> t -> elt option
find_first_opt f s, where f is a monotonically increasing function, returns an option containing the lowest element e of s such that f e, or None if no such element exists.
Since 4.05
val find_last : (elt -> bool) -> t -> elt
find_last f s, where f is a monotonically decreasing function, returns the highest element e of s such that f e, or raises Not_found if no such element exists.
Since 4.05
val find_last_opt : (elt -> bool) -> t -> elt option
find_last_opt f s, where f is a monotonically decreasing function, returns an option containing the highest element e of s such that f e, or None if no such element exists.
Since 4.05
val of_list : elt list -> t
of_list l creates a set from a list of elements. This is usually more efficient than folding add over the list, except perhaps for lists with many duplicated elements.
Since 4.02.0
ocaml-doc-4.05/ocaml.html/libref/Event.html0000644000175000017500000003110213131636444017510 0ustar mehdimehdi Event

Module Event

module Event: sig .. end
First-class synchronous communication.

This module implements synchronous inter-thread communications over channels. As in John Reppy's Concurrent ML system, the communication events are first-class values: they can be built and combined independently before being offered for communication.


type 'a channel 
The type of communication channels carrying values of type 'a.
val new_channel : unit -> 'a channel
Return a new channel.
type +'a event 
The type of communication events returning a result of type 'a.
val send : 'a channel -> 'a -> unit event
send ch v returns the event consisting in sending the value v over the channel ch. The result value of this event is ().
val receive : 'a channel -> 'a event
receive ch returns the event consisting in receiving a value from the channel ch. The result value of this event is the value received.
val always : 'a -> 'a event
always v returns an event that is always ready for synchronization. The result value of this event is v.
val choose : 'a event list -> 'a event
choose evl returns the event that is the alternative of all the events in the list evl.
val wrap : 'a event -> ('a -> 'b) -> 'b event
wrap ev fn returns the event that performs the same communications as ev, then applies the post-processing function fn on the return value.
val wrap_abort : 'a event -> (unit -> unit) -> 'a event
wrap_abort ev fn returns the event that performs the same communications as ev, but if it is not selected the function fn is called after the synchronization.
val guard : (unit -> 'a event) -> 'a event
guard fn returns the event that, when synchronized, computes fn() and behaves as the resulting event. This allows to compute events with side-effects at the time of the synchronization operation.
val sync : 'a event -> 'a
'Synchronize' on an event: offer all the communication possibilities specified in the event to the outside world, and block until one of the communications succeed. The result value of that communication is returned.
val select : 'a event list -> 'a
'Synchronize' on an alternative of events. select evl is shorthand for sync(choose evl).
val poll : 'a event -> 'a option
Non-blocking version of Event.sync: offer all the communication possibilities specified in the event to the outside world, and if one can take place immediately, perform it and return Some r where r is the result value of that communication. Otherwise, return None without blocking.
ocaml-doc-4.05/ocaml.html/libref/Identifiable.html0000644000175000017500000002177613131636444021026 0ustar mehdimehdi Identifiable

Module Identifiable

module Identifiable: sig .. end
Uniform interface for common data structures over various things.

module type Thing = sig .. end
module Pair: 
functor (A : Thing-> 
functor (B : Thing-> Thing with type t = A.t * B.t
module type S = sig .. end
module Make: 
functor (T : Thing-> S with type t := T.t
ocaml-doc-4.05/ocaml.html/libref/MoreLabels.Map.Make.html0000644000175000017500000003743413131636446022064 0ustar mehdimehdi MoreLabels.Map.Make

Functor MoreLabels.Map.Make

module Make: 
functor (Ord : OrderedType-> S with type key = Ord.t
Parameters:
Ord : OrderedType

type key 
type +'a t 
val empty : 'a t
val is_empty : 'a t -> bool
val mem : key -> 'a t -> bool
val add : key:key ->
data:'a -> 'a t -> 'a t
val singleton : key -> 'a -> 'a t
val remove : key -> 'a t -> 'a t
val merge : f:(key -> 'a option -> 'b option -> 'c option) ->
'a t -> 'b t -> 'c t
val union : f:(key -> 'a -> 'a -> 'a option) ->
'a t -> 'a t -> 'a t
val compare : cmp:('a -> 'a -> int) ->
'a t -> 'a t -> int
val equal : cmp:('a -> 'a -> bool) ->
'a t -> 'a t -> bool
val iter : f:(key:key -> data:'a -> unit) ->
'a t -> unit
val fold : f:(key:key -> data:'a -> 'b -> 'b) ->
'a t -> init:'b -> 'b
val for_all : f:(key -> 'a -> bool) -> 'a t -> bool
val exists : f:(key -> 'a -> bool) -> 'a t -> bool
val filter : f:(key -> 'a -> bool) ->
'a t -> 'a t
val partition : f:(key -> 'a -> bool) ->
'a t -> 'a t * 'a t
val cardinal : 'a t -> int
val bindings : 'a t -> (key * 'a) list
val min_binding : 'a t -> key * 'a
val min_binding_opt : 'a t -> (key * 'a) option
val max_binding : 'a t -> key * 'a
val max_binding_opt : 'a t -> (key * 'a) option
val choose : 'a t -> key * 'a
val choose_opt : 'a t -> (key * 'a) option
val split : key ->
'a t ->
'a t * 'a option * 'a t
val find : key -> 'a t -> 'a
val find_opt : key -> 'a t -> 'a option
val find_first : f:(key -> bool) ->
'a t -> key * 'a
val find_first_opt : f:(key -> bool) ->
'a t -> (key * 'a) option
val find_last : f:(key -> bool) ->
'a t -> key * 'a
val find_last_opt : f:(key -> bool) ->
'a t -> (key * 'a) option
val map : f:('a -> 'b) -> 'a t -> 'b t
val mapi : f:(key -> 'a -> 'b) ->
'a t -> 'b t
ocaml-doc-4.05/ocaml.html/libref/ArrayLabels.html0000644000175000017500000007062713131636441020644 0ustar mehdimehdi ArrayLabels

Module ArrayLabels

module ArrayLabels: sig .. end
Array operations.

val length : 'a array -> int
Return the length (number of elements) of the given array.
val get : 'a array -> int -> 'a
Array.get a n returns the element number n of array a. The first element has number 0. The last element has number Array.length a - 1. You can also write a.(n) instead of Array.get a n.

Raise Invalid_argument "index out of bounds" if n is outside the range 0 to (Array.length a - 1).

val set : 'a array -> int -> 'a -> unit
Array.set a n x modifies array a in place, replacing element number n with x. You can also write a.(n) <- x instead of Array.set a n x.

Raise Invalid_argument "index out of bounds" if n is outside the range 0 to Array.length a - 1.

val make : int -> 'a -> 'a array
Array.make n x returns a fresh array of length n, initialized with x. All the elements of this new array are initially physically equal to x (in the sense of the == predicate). Consequently, if x is mutable, it is shared among all elements of the array, and modifying x through one of the array entries will modify all other entries at the same time.

Raise Invalid_argument if n < 0 or n > Sys.max_array_length. If the value of x is a floating-point number, then the maximum size is only Sys.max_array_length / 2.

val create : int -> 'a -> 'a array
Deprecated.Array.create is an alias for Array.make.
val init : int -> f:(int -> 'a) -> 'a array
Array.init n f returns a fresh array of length n, with element number i initialized to the result of f i. In other terms, Array.init n f tabulates the results of f applied to the integers 0 to n-1.

Raise Invalid_argument if n < 0 or n > Sys.max_array_length. If the return type of f is float, then the maximum size is only Sys.max_array_length / 2.

val make_matrix : dimx:int -> dimy:int -> 'a -> 'a array array
Array.make_matrix dimx dimy e returns a two-dimensional array (an array of arrays) with first dimension dimx and second dimension dimy. All the elements of this new matrix are initially physically equal to e. The element (x,y) of a matrix m is accessed with the notation m.(x).(y).

Raise Invalid_argument if dimx or dimy is negative or greater than Sys.max_array_length. If the value of e is a floating-point number, then the maximum size is only Sys.max_array_length / 2.

val create_matrix : dimx:int -> dimy:int -> 'a -> 'a array array
Deprecated.Array.create_matrix is an alias for Array.make_matrix.
val append : 'a array -> 'a array -> 'a array
Array.append v1 v2 returns a fresh array containing the concatenation of the arrays v1 and v2.
val concat : 'a array list -> 'a array
Same as Array.append, but concatenates a list of arrays.
val sub : 'a array -> pos:int -> len:int -> 'a array
Array.sub a start len returns a fresh array of length len, containing the elements number start to start + len - 1 of array a.

Raise Invalid_argument "Array.sub" if start and len do not designate a valid subarray of a; that is, if start < 0, or len < 0, or start + len > Array.length a.

val copy : 'a array -> 'a array
Array.copy a returns a copy of a, that is, a fresh array containing the same elements as a.
val fill : 'a array -> pos:int -> len:int -> 'a -> unit
Array.fill a ofs len x modifies the array a in place, storing x in elements number ofs to ofs + len - 1.

Raise Invalid_argument "Array.fill" if ofs and len do not designate a valid subarray of a.

val blit : src:'a array -> src_pos:int -> dst:'a array -> dst_pos:int -> len:int -> unit
Array.blit v1 o1 v2 o2 len copies len elements from array v1, starting at element number o1, to array v2, starting at element number o2. It works correctly even if v1 and v2 are the same array, and the source and destination chunks overlap.

Raise Invalid_argument "Array.blit" if o1 and len do not designate a valid subarray of v1, or if o2 and len do not designate a valid subarray of v2.

val to_list : 'a array -> 'a list
Array.to_list a returns the list of all the elements of a.
val of_list : 'a list -> 'a array
Array.of_list l returns a fresh array containing the elements of l.
val iter : f:('a -> unit) -> 'a array -> unit
Array.iter f a applies function f in turn to all the elements of a. It is equivalent to f a.(0); f a.(1); ...; f a.(Array.length a - 1); ().
val map : f:('a -> 'b) -> 'a array -> 'b array
Array.map f a applies function f to all the elements of a, and builds an array with the results returned by f: [| f a.(0); f a.(1); ...; f a.(Array.length a - 1) |].
val iteri : f:(int -> 'a -> unit) -> 'a array -> unit
Same as Array.iter, but the function is applied to the index of the element as first argument, and the element itself as second argument.
val mapi : f:(int -> 'a -> 'b) -> 'a array -> 'b array
Same as Array.map, but the function is applied to the index of the element as first argument, and the element itself as second argument.
val fold_left : f:('a -> 'b -> 'a) -> init:'a -> 'b array -> 'a
Array.fold_left f x a computes f (... (f (f x a.(0)) a.(1)) ...) a.(n-1), where n is the length of the array a.
val fold_right : f:('b -> 'a -> 'a) -> 'b array -> init:'a -> 'a
Array.fold_right f a x computes f a.(0) (f a.(1) ( ... (f a.(n-1) x) ...)), where n is the length of the array a.

Iterators on two arrays

val iter2 : f:('a -> 'b -> unit) -> 'a array -> 'b array -> unit
Array.iter2 f a b applies function f to all the elements of a and b. Raise Invalid_argument if the arrays are not the same size.
Since 4.05.0
val map2 : f:('a -> 'b -> 'c) -> 'a array -> 'b array -> 'c array
Array.map2 f a b applies function f to all the elements of a and b, and builds an array with the results returned by f: [| f a.(0) b.(0); ...; f a.(Array.length a - 1) b.(Array.length b - 1)|]. Raise Invalid_argument if the arrays are not the same size.
Since 4.05.0

Array scanning

val exists : f:('a -> bool) -> 'a array -> bool
Array.exists p [|a1; ...; an|] checks if at least one element of the array satisfies the predicate p. That is, it returns (p a1) || (p a2) || ... || (p an).
Since 4.03.0
val for_all : f:('a -> bool) -> 'a array -> bool
Array.for_all p [|a1; ...; an|] checks if all elements of the array satisfy the predicate p. That is, it returns (p a1) && (p a2) && ... && (p an).
Since 4.03.0
val mem : 'a -> set:'a array -> bool
mem x a is true if and only if x is equal to an element of a.
Since 4.03.0
val memq : 'a -> set:'a array -> bool
Same as Array.mem, but uses physical equality instead of structural equality to compare list elements.
Since 4.03.0
val create_float : int -> float array
Array.create_float n returns a fresh float array of length n, with uninitialized data.
Since 4.03
val make_float : int -> float array
Deprecated.Array.make_float is an alias for Array.create_float.

Sorting

val sort : cmp:('a -> 'a -> int) -> 'a array -> unit
Sort an array in increasing order according to a comparison function. The comparison function must return 0 if its arguments compare as equal, a positive integer if the first is greater, and a negative integer if the first is smaller (see below for a complete specification). For example, compare is a suitable comparison function, provided there are no floating-point NaN values in the data. After calling Array.sort, the array is sorted in place in increasing order. Array.sort is guaranteed to run in constant heap space and (at most) logarithmic stack space.

The current implementation uses Heap Sort. It runs in constant stack space.

Specification of the comparison function: Let a be the array and cmp the comparison function. The following must be true for all x, y, z in a :

When Array.sort returns, a contains the same elements as before, reordered in such a way that for all i and j valid indices of a :
val stable_sort : cmp:('a -> 'a -> int) -> 'a array -> unit
Same as Array.sort, but the sorting algorithm is stable (i.e. elements that compare equal are kept in their original order) and not guaranteed to run in constant heap space.

The current implementation uses Merge Sort. It uses n/2 words of heap space, where n is the length of the array. It is usually faster than the current implementation of Array.sort.

val fast_sort : cmp:('a -> 'a -> int) -> 'a array -> unit
Same as Array.sort or Array.stable_sort, whichever is faster on typical input.
ocaml-doc-4.05/ocaml.html/libref/type_Identifiable.Make.html0000644000175000017500000012733113131636444022735 0ustar mehdimehdi Identifiable.Make functor (T : Thing->
  sig
    module T :
      sig
        type t = T.t
        val equal : t -> t -> bool
        val hash : t -> int
        val compare : t -> t -> int
        val output : out_channel -> t -> unit
        val print : Format.formatter -> t -> unit
      end
    val equal : T.t -> T.t -> bool
    val hash : T.t -> int
    val compare : T.t -> T.t -> int
    val output : out_channel -> T.t -> unit
    val print : Format.formatter -> T.t -> unit
    module Set :
      sig
        type elt = T.t
        type t = Set.Make(T).t
        val empty : t
        val is_empty : t -> bool
        val mem : elt -> t -> bool
        val add : elt -> t -> t
        val singleton : elt -> t
        val remove : elt -> t -> t
        val union : t -> t -> t
        val inter : t -> t -> t
        val diff : t -> t -> t
        val compare : t -> t -> int
        val equal : t -> t -> bool
        val subset : t -> t -> bool
        val iter : (elt -> unit) -> t -> unit
        val fold : (elt -> '-> 'a) -> t -> '-> 'a
        val for_all : (elt -> bool) -> t -> bool
        val exists : (elt -> bool) -> t -> bool
        val filter : (elt -> bool) -> t -> t
        val partition : (elt -> bool) -> t -> t * t
        val cardinal : t -> int
        val elements : t -> elt list
        val min_elt : t -> elt
        val min_elt_opt : t -> elt option
        val max_elt : t -> elt
        val max_elt_opt : t -> elt option
        val choose : t -> elt
        val choose_opt : t -> elt option
        val split : elt -> t -> t * bool * t
        val find : elt -> t -> elt
        val find_opt : elt -> t -> elt option
        val find_first : (elt -> bool) -> t -> elt
        val find_first_opt : (elt -> bool) -> t -> elt option
        val find_last : (elt -> bool) -> t -> elt
        val find_last_opt : (elt -> bool) -> t -> elt option
        val output : out_channel -> t -> unit
        val print : Format.formatter -> t -> unit
        val to_string : t -> string
        val of_list : elt list -> t
        val map : (elt -> elt) -> t -> t
      end
    module Map :
      sig
        type key = T.t
        type 'a t = 'Map.Make(T).t
        val empty : 'a t
        val is_empty : 'a t -> bool
        val mem : key -> 'a t -> bool
        val add : key -> '-> 'a t -> 'a t
        val singleton : key -> '-> 'a t
        val remove : key -> 'a t -> 'a t
        val merge :
          (key -> 'a option -> 'b option -> 'c option) ->
          'a t -> 'b t -> 'c t
        val union : (key -> '-> '-> 'a option) -> 'a t -> 'a t -> 'a t
        val compare : ('-> '-> int) -> 'a t -> 'a t -> int
        val equal : ('-> '-> bool) -> 'a t -> 'a t -> bool
        val iter : (key -> '-> unit) -> 'a t -> unit
        val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
        val for_all : (key -> '-> bool) -> 'a t -> bool
        val exists : (key -> '-> bool) -> 'a t -> bool
        val filter : (key -> '-> bool) -> 'a t -> 'a t
        val partition : (key -> '-> bool) -> 'a t -> 'a t * 'a t
        val cardinal : 'a t -> int
        val bindings : 'a t -> (key * 'a) list
        val min_binding : 'a t -> key * 'a
        val min_binding_opt : 'a t -> (key * 'a) option
        val max_binding : 'a t -> key * 'a
        val max_binding_opt : 'a t -> (key * 'a) option
        val choose : 'a t -> key * 'a
        val choose_opt : 'a t -> (key * 'a) option
        val split : key -> 'a t -> 'a t * 'a option * 'a t
        val find : key -> 'a t -> 'a
        val find_opt : key -> 'a t -> 'a option
        val find_first : (key -> bool) -> 'a t -> key * 'a
        val find_first_opt : (key -> bool) -> 'a t -> (key * 'a) option
        val find_last : (key -> bool) -> 'a t -> key * 'a
        val find_last_opt : (key -> bool) -> 'a t -> (key * 'a) option
        val map : ('-> 'b) -> 'a t -> 'b t
        val mapi : (key -> '-> 'b) -> 'a t -> 'b t
        val filter_map : 'a t -> f:(key -> '-> 'b option) -> 'b t
        val of_list : (key * 'a) list -> 'a t
        val disjoint_union :
          ?eq:('-> '-> bool) ->
          ?print:(Format.formatter -> '-> unit) -> 'a t -> 'a t -> 'a t
        val union_right : 'a t -> 'a t -> 'a t
        val union_left : 'a t -> 'a t -> 'a t
        val union_merge : ('-> '-> 'a) -> 'a t -> 'a t -> 'a t
        val rename : key t -> key -> key
        val map_keys : (key -> key) -> 'a t -> 'a t
        val keys : 'a t -> Set.t
        val data : 'a t -> 'a list
        val of_set : (key -> 'a) -> Set.t -> 'a t
        val transpose_keys_and_data : key t -> key t
        val transpose_keys_and_data_set : key t -> Set.t t
        val print :
          (Format.formatter -> '-> unit) ->
          Format.formatter -> 'a t -> unit
      end
    module Tbl :
      sig
        type key = T.t
        type 'a t = 'Hashtbl.Make(T).t
        val create : int -> 'a t
        val clear : 'a t -> unit
        val reset : 'a t -> unit
        val copy : 'a t -> 'a t
        val add : 'a t -> key -> '-> unit
        val remove : 'a t -> key -> unit
        val find : 'a t -> key -> 'a
        val find_opt : 'a t -> key -> 'a option
        val find_all : 'a t -> key -> 'a list
        val replace : 'a t -> key -> '-> unit
        val mem : 'a t -> key -> bool
        val iter : (key -> '-> unit) -> 'a t -> unit
        val filter_map_inplace : (key -> '-> 'a option) -> 'a t -> unit
        val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
        val length : 'a t -> int
        val stats : 'a t -> Hashtbl.statistics
        val to_list : 'a t -> (T.t * 'a) list
        val of_list : (T.t * 'a) list -> 'a t
        val to_map : 'a t -> 'Map.t
        val of_map : 'Map.t -> 'a t
        val memoize : 'a t -> (key -> 'a) -> key -> 'a
        val map : 'a t -> ('-> 'b) -> 'b t
      end
  end
ocaml-doc-4.05/ocaml.html/libref/Numbers.Int.html0000644000175000017500000001637713131636447020617 0ustar mehdimehdi Numbers.Int

Module Numbers.Int

module Int: sig .. end

include Identifiable.S
val zero_to_n : int -> Set.t
zero_to_n n is the set of numbers {0, ..., n} (inclusive).
ocaml-doc-4.05/ocaml.html/libref/Attr_helper.html0000644000175000017500000002222313131636441020701 0ustar mehdimehdi Attr_helper

Module Attr_helper

module Attr_helper: sig .. end
Helpers for attributes

type error = 
| Multiple_attributes of string
| No_payload_expected of string
val get_no_payload_attribute : string list -> Parsetree.attributes -> string Asttypes.loc option
The string list argument of the following functions is a list of alternative names for the attribute we are looking for. For instance:

      ["foo"; "ocaml.foo"]
    

val has_no_payload_attribute : string list -> Parsetree.attributes -> bool
exception Error of Location.t * error
val report_error : Format.formatter -> error -> unit
ocaml-doc-4.05/ocaml.html/libref/type_Char.html0000644000175000017500000002023013131636443020344 0ustar mehdimehdi Char sig
  external code : char -> int = "%identity"
  val chr : int -> char
  val escaped : char -> string
  val lowercase : char -> char
  val uppercase : char -> char
  val lowercase_ascii : char -> char
  val uppercase_ascii : char -> char
  type t = char
  val compare : Char.t -> Char.t -> int
  val equal : Char.t -> Char.t -> bool
  external unsafe_chr : int -> char = "%identity"
end
ocaml-doc-4.05/ocaml.html/libref/type_Ephemeron.K2.MakeSeeded.html0000644000175000017500000002773413131636443023672 0ustar mehdimehdi Ephemeron.K2.MakeSeeded functor (H1 : Hashtbl.SeededHashedType) (H2 : Hashtbl.SeededHashedType->
  sig
    type key = H1.t * H2.t
    type 'a t
    val create : ?random:bool -> int -> 'a t
    val clear : 'a t -> unit
    val reset : 'a t -> unit
    val copy : 'a t -> 'a t
    val add : 'a t -> key -> '-> unit
    val remove : 'a t -> key -> unit
    val find : 'a t -> key -> 'a
    val find_opt : 'a t -> key -> 'a option
    val find_all : 'a t -> key -> 'a list
    val replace : 'a t -> key -> '-> unit
    val mem : 'a t -> key -> bool
    val iter : (key -> '-> unit) -> 'a t -> unit
    val filter_map_inplace : (key -> '-> 'a option) -> 'a t -> unit
    val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
    val length : 'a t -> int
    val stats : 'a t -> Hashtbl.statistics
    val clean : 'a t -> unit
    val stats_alive : 'a t -> Hashtbl.statistics
  end
ocaml-doc-4.05/ocaml.html/libref/Map.Make.html0000644000175000017500000007125313131636445020034 0ustar mehdimehdi Map.Make

Functor Map.Make

module Make: 
functor (Ord : OrderedType-> S with type key = Ord.t
Functor building an implementation of the map structure given a totally ordered type.
Parameters:
Ord : OrderedType

type key 
The type of the map keys.
type +'a t 
The type of maps from type key to type 'a.
val empty : 'a t
The empty map.
val is_empty : 'a t -> bool
Test whether a map is empty or not.
val mem : key -> 'a t -> bool
mem x m returns true if m contains a binding for x, and false otherwise.
val add : key -> 'a -> 'a t -> 'a t
add x y m returns a map containing the same bindings as m, plus a binding of x to y. If x was already bound in m to a value that is physically equal to y, m is returned unchanged (the result of the function is then physically equal to m). Otherwise, the previous binding of x in m disappears.
Before 4.03 Physical equality was not ensured.
val singleton : key -> 'a -> 'a t
singleton x y returns the one-element map that contains a binding y for x.
Since 3.12.0
val remove : key -> 'a t -> 'a t
remove x m returns a map containing the same bindings as m, except for x which is unbound in the returned map. If x was not in m, m is returned unchanged (the result of the function is then physically equal to m).
Before 4.03 Physical equality was not ensured.
val merge : (key -> 'a option -> 'b option -> 'c option) ->
'a t -> 'b t -> 'c t
merge f m1 m2 computes a map whose keys is a subset of keys of m1 and of m2. The presence of each such binding, and the corresponding value, is determined with the function f. In terms of the find_opt operation, we have find_opt x (merge f m1 m2) = f (find_opt x m1) (find_opt x m2) for any key x, provided that None None = None.
Since 3.12.0
val union : (key -> 'a -> 'a -> 'a option) ->
'a t -> 'a t -> 'a t
union f m1 m2 computes a map whose keys is the union of keys of m1 and of m2. When the same binding is defined in both arguments, the function f is used to combine them. This is a special case of merge: union f m1 m2 is equivalent to merge f' m1 m2, where
Since 4.03.0
val compare : ('a -> 'a -> int) -> 'a t -> 'a t -> int
Total ordering between maps. The first argument is a total ordering used to compare data associated with equal keys in the two maps.
val equal : ('a -> 'a -> bool) -> 'a t -> 'a t -> bool
equal cmp m1 m2 tests whether the maps m1 and m2 are equal, that is, contain equal keys and associate them with equal data. cmp is the equality predicate used to compare the data associated with the keys.
val iter : (key -> 'a -> unit) -> 'a t -> unit
iter f m applies f to all bindings in map m. f receives the key as first argument, and the associated value as second argument. The bindings are passed to f in increasing order with respect to the ordering over the type of the keys.
val fold : (key -> 'a -> 'b -> 'b) -> 'a t -> 'b -> 'b
fold f m a computes (f kN dN ... (f k1 d1 a)...), where k1 ... kN are the keys of all bindings in m (in increasing order), and d1 ... dN are the associated data.
val for_all : (key -> 'a -> bool) -> 'a t -> bool
for_all p m checks if all the bindings of the map satisfy the predicate p.
Since 3.12.0
val exists : (key -> 'a -> bool) -> 'a t -> bool
exists p m checks if at least one binding of the map satisfies the predicate p.
Since 3.12.0
val filter : (key -> 'a -> bool) -> 'a t -> 'a t
filter p m returns the map with all the bindings in m that satisfy predicate p. If p satisfies every binding in m, m is returned unchanged (the result of the function is then physically equal to m)
Before 4.03 Physical equality was not ensured.
Since 3.12.0
val partition : (key -> 'a -> bool) -> 'a t -> 'a t * 'a t
partition p m returns a pair of maps (m1, m2), where m1 contains all the bindings of s that satisfy the predicate p, and m2 is the map with all the bindings of s that do not satisfy p.
Since 3.12.0
val cardinal : 'a t -> int
Return the number of bindings of a map.
Since 3.12.0
val bindings : 'a t -> (key * 'a) list
Return the list of all bindings of the given map. The returned list is sorted in increasing order with respect to the ordering Ord.compare, where Ord is the argument given to Map.Make.
Since 3.12.0
val min_binding : 'a t -> key * 'a
Return the smallest binding of the given map (with respect to the Ord.compare ordering), or raise Not_found if the map is empty.
Since 3.12.0
val min_binding_opt : 'a t -> (key * 'a) option
Return the smallest binding of the given map (with respect to the Ord.compare ordering), or None if the map is empty.
Since 4.05
val max_binding : 'a t -> key * 'a
Same as Map.S.min_binding, but returns the largest binding of the given map.
Since 3.12.0
val max_binding_opt : 'a t -> (key * 'a) option
Same as Map.S.min_binding_opt, but returns the largest binding of the given map.
Since 4.05
val choose : 'a t -> key * 'a
Return one binding of the given map, or raise Not_found if the map is empty. Which binding is chosen is unspecified, but equal bindings will be chosen for equal maps.
Since 3.12.0
val choose_opt : 'a t -> (key * 'a) option
Return one binding of the given map, or None if the map is empty. Which binding is chosen is unspecified, but equal bindings will be chosen for equal maps.
Since 4.05
val split : key -> 'a t -> 'a t * 'a option * 'a t
split x m returns a triple (l, data, r), where l is the map with all the bindings of m whose key is strictly less than x; r is the map with all the bindings of m whose key is strictly greater than x; data is None if m contains no binding for x, or Some v if m binds v to x.
Since 3.12.0
val find : key -> 'a t -> 'a
find x m returns the current binding of x in m, or raises Not_found if no such binding exists.
val find_opt : key -> 'a t -> 'a option
find_opt x m returns Some v if the current binding of x in m is v, or None if no such binding exists.
Since 4.05
val find_first : (key -> bool) -> 'a t -> key * 'a
find_first f m, where f is a monotonically increasing function, returns the binding of m with the lowest key k such that f k, or raises Not_found if no such key exists.

For example, find_first (fun k -> Ord.compare k x >= 0) m will return the first binding k, v of m where Ord.compare k x >= 0 (intuitively: k >= x), or raise Not_found if x is greater than any element of m.
Since 4.05

val find_first_opt : (key -> bool) -> 'a t -> (key * 'a) option
find_first_opt f m, where f is a monotonically increasing function, returns an option containing the binding of m with the lowest key k such that f k, or None if no such key exists.
Since 4.05
val find_last : (key -> bool) -> 'a t -> key * 'a
find_last f m, where f is a monotonically decreasing function, returns the binding of m with the highest key k such that f k, or raises Not_found if no such key exists.
Since 4.05
val find_last_opt : (key -> bool) -> 'a t -> (key * 'a) option
find_last_opt f m, where f is a monotonically decreasing function, returns an option containing the binding of m with the highest key k such that f k, or None if no such key exists.
Since 4.05
val map : ('a -> 'b) -> 'a t -> 'b t
map f m returns a map with same domain as m, where the associated value a of all bindings of m has been replaced by the result of the application of f to a. The bindings are passed to f in increasing order with respect to the ordering over the type of the keys.
val mapi : (key -> 'a -> 'b) -> 'a t -> 'b t
Same as Map.S.map, but the function receives as arguments both the key and the associated value for each binding of the map.
ocaml-doc-4.05/ocaml.html/libref/Map.S.html0000644000175000017500000007032213131636445017355 0ustar mehdimehdi Map.S

Module type Map.S

module type S = sig .. end
Output signature of the functor Map.Make.

type key 
The type of the map keys.
type +'a t 
The type of maps from type key to type 'a.
val empty : 'a t
The empty map.
val is_empty : 'a t -> bool
Test whether a map is empty or not.
val mem : key -> 'a t -> bool
mem x m returns true if m contains a binding for x, and false otherwise.
val add : key -> 'a -> 'a t -> 'a t
add x y m returns a map containing the same bindings as m, plus a binding of x to y. If x was already bound in m to a value that is physically equal to y, m is returned unchanged (the result of the function is then physically equal to m). Otherwise, the previous binding of x in m disappears.
Before 4.03 Physical equality was not ensured.
val singleton : key -> 'a -> 'a t
singleton x y returns the one-element map that contains a binding y for x.
Since 3.12.0
val remove : key -> 'a t -> 'a t
remove x m returns a map containing the same bindings as m, except for x which is unbound in the returned map. If x was not in m, m is returned unchanged (the result of the function is then physically equal to m).
Before 4.03 Physical equality was not ensured.
val merge : (key -> 'a option -> 'b option -> 'c option) ->
'a t -> 'b t -> 'c t
merge f m1 m2 computes a map whose keys is a subset of keys of m1 and of m2. The presence of each such binding, and the corresponding value, is determined with the function f. In terms of the find_opt operation, we have find_opt x (merge f m1 m2) = f (find_opt x m1) (find_opt x m2) for any key x, provided that None None = None.
Since 3.12.0
val union : (key -> 'a -> 'a -> 'a option) ->
'a t -> 'a t -> 'a t
union f m1 m2 computes a map whose keys is the union of keys of m1 and of m2. When the same binding is defined in both arguments, the function f is used to combine them. This is a special case of merge: union f m1 m2 is equivalent to merge f' m1 m2, where
Since 4.03.0
val compare : ('a -> 'a -> int) -> 'a t -> 'a t -> int
Total ordering between maps. The first argument is a total ordering used to compare data associated with equal keys in the two maps.
val equal : ('a -> 'a -> bool) -> 'a t -> 'a t -> bool
equal cmp m1 m2 tests whether the maps m1 and m2 are equal, that is, contain equal keys and associate them with equal data. cmp is the equality predicate used to compare the data associated with the keys.
val iter : (key -> 'a -> unit) -> 'a t -> unit
iter f m applies f to all bindings in map m. f receives the key as first argument, and the associated value as second argument. The bindings are passed to f in increasing order with respect to the ordering over the type of the keys.
val fold : (key -> 'a -> 'b -> 'b) -> 'a t -> 'b -> 'b
fold f m a computes (f kN dN ... (f k1 d1 a)...), where k1 ... kN are the keys of all bindings in m (in increasing order), and d1 ... dN are the associated data.
val for_all : (key -> 'a -> bool) -> 'a t -> bool
for_all p m checks if all the bindings of the map satisfy the predicate p.
Since 3.12.0
val exists : (key -> 'a -> bool) -> 'a t -> bool
exists p m checks if at least one binding of the map satisfies the predicate p.
Since 3.12.0
val filter : (key -> 'a -> bool) -> 'a t -> 'a t
filter p m returns the map with all the bindings in m that satisfy predicate p. If p satisfies every binding in m, m is returned unchanged (the result of the function is then physically equal to m)
Before 4.03 Physical equality was not ensured.
Since 3.12.0
val partition : (key -> 'a -> bool) -> 'a t -> 'a t * 'a t
partition p m returns a pair of maps (m1, m2), where m1 contains all the bindings of s that satisfy the predicate p, and m2 is the map with all the bindings of s that do not satisfy p.
Since 3.12.0
val cardinal : 'a t -> int
Return the number of bindings of a map.
Since 3.12.0
val bindings : 'a t -> (key * 'a) list
Return the list of all bindings of the given map. The returned list is sorted in increasing order with respect to the ordering Ord.compare, where Ord is the argument given to Map.Make.
Since 3.12.0
val min_binding : 'a t -> key * 'a
Return the smallest binding of the given map (with respect to the Ord.compare ordering), or raise Not_found if the map is empty.
Since 3.12.0
val min_binding_opt : 'a t -> (key * 'a) option
Return the smallest binding of the given map (with respect to the Ord.compare ordering), or None if the map is empty.
Since 4.05
val max_binding : 'a t -> key * 'a
Same as Map.S.min_binding, but returns the largest binding of the given map.
Since 3.12.0
val max_binding_opt : 'a t -> (key * 'a) option
Same as Map.S.min_binding_opt, but returns the largest binding of the given map.
Since 4.05
val choose : 'a t -> key * 'a
Return one binding of the given map, or raise Not_found if the map is empty. Which binding is chosen is unspecified, but equal bindings will be chosen for equal maps.
Since 3.12.0
val choose_opt : 'a t -> (key * 'a) option
Return one binding of the given map, or None if the map is empty. Which binding is chosen is unspecified, but equal bindings will be chosen for equal maps.
Since 4.05
val split : key -> 'a t -> 'a t * 'a option * 'a t
split x m returns a triple (l, data, r), where l is the map with all the bindings of m whose key is strictly less than x; r is the map with all the bindings of m whose key is strictly greater than x; data is None if m contains no binding for x, or Some v if m binds v to x.
Since 3.12.0
val find : key -> 'a t -> 'a
find x m returns the current binding of x in m, or raises Not_found if no such binding exists.
val find_opt : key -> 'a t -> 'a option
find_opt x m returns Some v if the current binding of x in m is v, or None if no such binding exists.
Since 4.05
val find_first : (key -> bool) -> 'a t -> key * 'a
find_first f m, where f is a monotonically increasing function, returns the binding of m with the lowest key k such that f k, or raises Not_found if no such key exists.

For example, find_first (fun k -> Ord.compare k x >= 0) m will return the first binding k, v of m where Ord.compare k x >= 0 (intuitively: k >= x), or raise Not_found if x is greater than any element of m.
Since 4.05

val find_first_opt : (key -> bool) -> 'a t -> (key * 'a) option
find_first_opt f m, where f is a monotonically increasing function, returns an option containing the binding of m with the lowest key k such that f k, or None if no such key exists.
Since 4.05
val find_last : (key -> bool) -> 'a t -> key * 'a
find_last f m, where f is a monotonically decreasing function, returns the binding of m with the highest key k such that f k, or raises Not_found if no such key exists.
Since 4.05
val find_last_opt : (key -> bool) -> 'a t -> (key * 'a) option
find_last_opt f m, where f is a monotonically decreasing function, returns an option containing the binding of m with the highest key k such that f k, or None if no such key exists.
Since 4.05
val map : ('a -> 'b) -> 'a t -> 'b t
map f m returns a map with same domain as m, where the associated value a of all bindings of m has been replaced by the result of the application of f to a. The bindings are passed to f in increasing order with respect to the ordering over the type of the keys.
val mapi : (key -> 'a -> 'b) -> 'a t -> 'b t
Same as Map.S.map, but the function receives as arguments both the key and the associated value for each binding of the map.
ocaml-doc-4.05/ocaml.html/libref/Thread.html0000644000175000017500000004023413131636451017642 0ustar mehdimehdi Thread

Module Thread

module Thread: sig .. end
Lightweight threads for Posix 1003.1c and Win32.

type t 
The type of thread handles.

Thread creation and termination

val create : ('a -> 'b) -> 'a -> t
Thread.create funct arg creates a new thread of control, in which the function application funct arg is executed concurrently with the other threads of the program. The application of Thread.create returns the handle of the newly created thread. The new thread terminates when the application funct arg returns, either normally or by raising an uncaught exception. In the latter case, the exception is printed on standard error, but not propagated back to the parent thread. Similarly, the result of the application funct arg is discarded and not directly accessible to the parent thread.
val self : unit -> t
Return the thread currently executing.
val id : t -> int
Return the identifier of the given thread. A thread identifier is an integer that identifies uniquely the thread. It can be used to build data structures indexed by threads.
val exit : unit -> unit
Terminate prematurely the currently executing thread.
val kill : t -> unit
Terminate prematurely the thread whose handle is given.

Suspending threads

val delay : float -> unit
delay d suspends the execution of the calling thread for d seconds. The other program threads continue to run during this time.
val join : t -> unit
join th suspends the execution of the calling thread until the thread th has terminated.
val wait_read : Unix.file_descr -> unit
See Thread.wait_write.
val wait_write : Unix.file_descr -> unit
This function does nothing in this implementation.
val wait_timed_read : Unix.file_descr -> float -> bool
See Thread.wait_timed_read.
val wait_timed_write : Unix.file_descr -> float -> bool
Suspend the execution of the calling thread until at least one character is available for reading (wait_read) or one character can be written without blocking (wait_write) on the given Unix file descriptor. Wait for at most the amount of time given as second argument (in seconds). Return true if the file descriptor is ready for input/output and false if the timeout expired.

These functions return immediately true in the Win32 implementation.

val select : Unix.file_descr list ->
Unix.file_descr list ->
Unix.file_descr list ->
float -> Unix.file_descr list * Unix.file_descr list * Unix.file_descr list
Suspend the execution of the calling thread until input/output becomes possible on the given Unix file descriptors. The arguments and results have the same meaning as for Unix.select. This function is not implemented yet under Win32.
val wait_pid : int -> int * Unix.process_status
wait_pid p suspends the execution of the calling thread until the process specified by the process identifier p terminates. Returns the pid of the child caught and its termination status, as per Unix.wait. This function is not implemented under MacOS.
val yield : unit -> unit
Re-schedule the calling thread without suspending it. This function can be used to give scheduling hints, telling the scheduler that now is a good time to switch to other threads.

Management of signals


Signal handling follows the POSIX thread model: signals generated by a thread are delivered to that thread; signals generated externally are delivered to one of the threads that does not block it. Each thread possesses a set of blocked signals, which can be modified using Thread.sigmask. This set is inherited at thread creation time. Per-thread signal masks are supported only by the system thread library under Unix, but not under Win32, nor by the VM thread library.
val sigmask : Unix.sigprocmask_command -> int list -> int list
sigmask cmd sigs changes the set of blocked signals for the calling thread. If cmd is SIG_SETMASK, blocked signals are set to those in the list sigs. If cmd is SIG_BLOCK, the signals in sigs are added to the set of blocked signals. If cmd is SIG_UNBLOCK, the signals in sigs are removed from the set of blocked signals. sigmask returns the set of previously blocked signals for the thread.
val wait_signal : int list -> int
wait_signal sigs suspends the execution of the calling thread until the process receives one of the signals specified in the list sigs. It then returns the number of the signal received. Signal handlers attached to the signals in sigs will not be invoked. The signals sigs are expected to be blocked before calling wait_signal.
ocaml-doc-4.05/ocaml.html/libref/Ast_helper.Sig.html0000644000175000017500000003011213131636441021233 0ustar mehdimehdi Ast_helper.Sig

Module Ast_helper.Sig

module Sig: sig .. end
Signature items

val mk : ?loc:Ast_helper.loc ->
Parsetree.signature_item_desc -> Parsetree.signature_item
val value : ?loc:Ast_helper.loc ->
Parsetree.value_description -> Parsetree.signature_item
val type_ : ?loc:Ast_helper.loc ->
Asttypes.rec_flag ->
Parsetree.type_declaration list -> Parsetree.signature_item
val type_extension : ?loc:Ast_helper.loc -> Parsetree.type_extension -> Parsetree.signature_item
val exception_ : ?loc:Ast_helper.loc ->
Parsetree.extension_constructor -> Parsetree.signature_item
val module_ : ?loc:Ast_helper.loc ->
Parsetree.module_declaration -> Parsetree.signature_item
val rec_module : ?loc:Ast_helper.loc ->
Parsetree.module_declaration list -> Parsetree.signature_item
val modtype : ?loc:Ast_helper.loc ->
Parsetree.module_type_declaration -> Parsetree.signature_item
val open_ : ?loc:Ast_helper.loc -> Parsetree.open_description -> Parsetree.signature_item
val include_ : ?loc:Ast_helper.loc ->
Parsetree.include_description -> Parsetree.signature_item
val class_ : ?loc:Ast_helper.loc ->
Parsetree.class_description list -> Parsetree.signature_item
val class_type : ?loc:Ast_helper.loc ->
Parsetree.class_type_declaration list -> Parsetree.signature_item
val extension : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs -> Parsetree.extension -> Parsetree.signature_item
val attribute : ?loc:Ast_helper.loc -> Parsetree.attribute -> Parsetree.signature_item
val text : Docstrings.text -> Parsetree.signature_item list
ocaml-doc-4.05/ocaml.html/libref/type_Stack.html0000644000175000017500000002255213131636450020543 0ustar mehdimehdi Stack sig
  type 'a t
  exception Empty
  val create : unit -> 'Stack.t
  val push : '-> 'Stack.t -> unit
  val pop : 'Stack.t -> 'a
  val top : 'Stack.t -> 'a
  val clear : 'Stack.t -> unit
  val copy : 'Stack.t -> 'Stack.t
  val is_empty : 'Stack.t -> bool
  val length : 'Stack.t -> int
  val iter : ('-> unit) -> 'Stack.t -> unit
  val fold : ('-> '-> 'b) -> '-> 'Stack.t -> 'b
end
ocaml-doc-4.05/ocaml.html/libref/type_CamlinternalFormat.html0000644000175000017500000007534513131636442023271 0ustar mehdimehdi CamlinternalFormat sig
  val is_in_char_set : CamlinternalFormatBasics.char_set -> char -> bool
  val rev_char_set :
    CamlinternalFormatBasics.char_set -> CamlinternalFormatBasics.char_set
  type mutable_char_set = bytes
  val create_char_set : unit -> CamlinternalFormat.mutable_char_set
  val add_in_char_set : CamlinternalFormat.mutable_char_set -> char -> unit
  val freeze_char_set :
    CamlinternalFormat.mutable_char_set -> CamlinternalFormatBasics.char_set
  type ('a, 'b, 'c, 'd, 'e, 'f) param_format_ebb =
      Param_format_EBB :
        ('-> 'a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.fmt -> 
        ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormat.param_format_ebb
  val param_format_of_ignored_format :
    ('a, 'b, 'c, 'd, 'y, 'x) CamlinternalFormatBasics.ignored ->
    ('x, 'b, 'c, 'y, 'e, 'f) CamlinternalFormatBasics.fmt ->
    ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormat.param_format_ebb
  type ('b, 'c) acc_formatting_gen =
      Acc_open_tag of ('b, 'c) CamlinternalFormat.acc
    | Acc_open_box of ('b, 'c) CamlinternalFormat.acc
  and ('b, 'c) acc =
      Acc_formatting_lit of ('b, 'c) CamlinternalFormat.acc *
        CamlinternalFormatBasics.formatting_lit
    | Acc_formatting_gen of ('b, 'c) CamlinternalFormat.acc *
        ('b, 'c) CamlinternalFormat.acc_formatting_gen
    | Acc_string_literal of ('b, 'c) CamlinternalFormat.acc * string
    | Acc_char_literal of ('b, 'c) CamlinternalFormat.acc * char
    | Acc_data_string of ('b, 'c) CamlinternalFormat.acc * string
    | Acc_data_char of ('b, 'c) CamlinternalFormat.acc * char
    | Acc_delay of ('b, 'c) CamlinternalFormat.acc * ('-> 'c)
    | Acc_flush of ('b, 'c) CamlinternalFormat.acc
    | Acc_invalid_arg of ('b, 'c) CamlinternalFormat.acc * string
    | End_of_acc
  type ('a, 'b) heter_list =
      Cons : 'c *
        ('a, 'b) CamlinternalFormat.heter_list -> ('-> 'a, 'b)
                                                  CamlinternalFormat.heter_list
    | Nil : ('b, 'b) CamlinternalFormat.heter_list
  type ('b, 'c, 'e, 'f) fmt_ebb =
      Fmt_EBB :
        ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.fmt -> ('b, 'c, 'e,
                                                                  'f)
                                                                 CamlinternalFormat.fmt_ebb
  val make_printf :
    ('-> ('b, 'c) CamlinternalFormat.acc -> 'd) ->
    '->
    ('b, 'c) CamlinternalFormat.acc ->
    ('a, 'b, 'c, 'c, 'c, 'd) CamlinternalFormatBasics.fmt -> 'a
  val make_iprintf :
    ('-> 'f) ->
    '-> ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.fmt -> 'a
  val output_acc :
    Pervasives.out_channel ->
    (Pervasives.out_channel, unit) CamlinternalFormat.acc -> unit
  val bufput_acc :
    Buffer.t -> (Buffer.t, unit) CamlinternalFormat.acc -> unit
  val strput_acc : Buffer.t -> (unit, string) CamlinternalFormat.acc -> unit
  val type_format :
    ('x, 'b, 'c, 't, 'u, 'v) CamlinternalFormatBasics.fmt ->
    ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.fmtty ->
    ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.fmt
  val fmt_ebb_of_string :
    ?legacy_behavior:bool ->
    string -> ('b, 'c, 'e, 'f) CamlinternalFormat.fmt_ebb
  val format_of_string_fmtty :
    string ->
    ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.fmtty ->
    ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.format6
  val format_of_string_format :
    string ->
    ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.format6 ->
    ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.format6
  val char_of_iconv : CamlinternalFormatBasics.int_conv -> char
  val string_of_formatting_lit :
    CamlinternalFormatBasics.formatting_lit -> string
  val string_of_formatting_gen :
    ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.formatting_gen ->
    string
  val string_of_fmtty :
    ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.fmtty -> string
  val string_of_fmt :
    ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.fmt -> string
  val open_box_of_string :
    string -> int * CamlinternalFormatBasics.block_type
  val symm :
    ('a1, 'b1, 'c1, 'd1, 'e1, 'f1, 'a2, 'b2, 'c2, 'd2, 'e2, 'f2)
    CamlinternalFormatBasics.fmtty_rel ->
    ('a2, 'b2, 'c2, 'd2, 'e2, 'f2, 'a1, 'b1, 'c1, 'd1, 'e1, 'f1)
    CamlinternalFormatBasics.fmtty_rel
  val trans :
    ('a1, 'b1, 'c1, 'd1, 'e1, 'f1, 'a2, 'b2, 'c2, 'd2, 'e2, 'f2)
    CamlinternalFormatBasics.fmtty_rel ->
    ('a2, 'b2, 'c2, 'd2, 'e2, 'f2, 'a3, 'b3, 'c3, 'd3, 'e3, 'f3)
    CamlinternalFormatBasics.fmtty_rel ->
    ('a1, 'b1, 'c1, 'd1, 'e1, 'f1, 'a3, 'b3, 'c3, 'd3, 'e3, 'f3)
    CamlinternalFormatBasics.fmtty_rel
  val recast :
    ('a1, 'b1, 'c1, 'd1, 'e1, 'f1) CamlinternalFormatBasics.fmt ->
    ('a1, 'b1, 'c1, 'd1, 'e1, 'f1, 'a2, 'b2, 'c2, 'd2, 'e2, 'f2)
    CamlinternalFormatBasics.fmtty_rel ->
    ('a2, 'b2, 'c2, 'd2, 'e2, 'f2) CamlinternalFormatBasics.fmt
end
ocaml-doc-4.05/ocaml.html/libref/type_Bigarray.html0000644000175000017500000023662613131636442021250 0ustar mehdimehdi Bigarray sig
  type float32_elt = Float32_elt
  type float64_elt = Float64_elt
  type int8_signed_elt = Int8_signed_elt
  type int8_unsigned_elt = Int8_unsigned_elt
  type int16_signed_elt = Int16_signed_elt
  type int16_unsigned_elt = Int16_unsigned_elt
  type int32_elt = Int32_elt
  type int64_elt = Int64_elt
  type int_elt = Int_elt
  type nativeint_elt = Nativeint_elt
  type complex32_elt = Complex32_elt
  type complex64_elt = Complex64_elt
  type ('a, 'b) kind =
      Float32 : (float, Bigarray.float32_elt) Bigarray.kind
    | Float64 : (float, Bigarray.float64_elt) Bigarray.kind
    | Int8_signed : (int, Bigarray.int8_signed_elt) Bigarray.kind
    | Int8_unsigned : (int, Bigarray.int8_unsigned_elt) Bigarray.kind
    | Int16_signed : (int, Bigarray.int16_signed_elt) Bigarray.kind
    | Int16_unsigned : (int, Bigarray.int16_unsigned_elt) Bigarray.kind
    | Int32 : (int32, Bigarray.int32_elt) Bigarray.kind
    | Int64 : (int64, Bigarray.int64_elt) Bigarray.kind
    | Int : (int, Bigarray.int_elt) Bigarray.kind
    | Nativeint : (nativeint, Bigarray.nativeint_elt) Bigarray.kind
    | Complex32 : (Complex.t, Bigarray.complex32_elt) Bigarray.kind
    | Complex64 : (Complex.t, Bigarray.complex64_elt) Bigarray.kind
    | Char : (char, Bigarray.int8_unsigned_elt) Bigarray.kind
  val float32 : (float, Bigarray.float32_elt) Bigarray.kind
  val float64 : (float, Bigarray.float64_elt) Bigarray.kind
  val complex32 : (Complex.t, Bigarray.complex32_elt) Bigarray.kind
  val complex64 : (Complex.t, Bigarray.complex64_elt) Bigarray.kind
  val int8_signed : (int, Bigarray.int8_signed_elt) Bigarray.kind
  val int8_unsigned : (int, Bigarray.int8_unsigned_elt) Bigarray.kind
  val int16_signed : (int, Bigarray.int16_signed_elt) Bigarray.kind
  val int16_unsigned : (int, Bigarray.int16_unsigned_elt) Bigarray.kind
  val int : (int, Bigarray.int_elt) Bigarray.kind
  val int32 : (int32, Bigarray.int32_elt) Bigarray.kind
  val int64 : (int64, Bigarray.int64_elt) Bigarray.kind
  val nativeint : (nativeint, Bigarray.nativeint_elt) Bigarray.kind
  val char : (char, Bigarray.int8_unsigned_elt) Bigarray.kind
  val kind_size_in_bytes : ('a, 'b) Bigarray.kind -> int
  type c_layout = C_layout_typ
  type fortran_layout = Fortran_layout_typ
  type 'a layout =
      C_layout : Bigarray.c_layout Bigarray.layout
    | Fortran_layout : Bigarray.fortran_layout Bigarray.layout
  val c_layout : Bigarray.c_layout Bigarray.layout
  val fortran_layout : Bigarray.fortran_layout Bigarray.layout
  module Genarray :
    sig
      type ('a, 'b, 'c) t
      external create :
        ('a, 'b) Bigarray.kind ->
        'Bigarray.layout -> int array -> ('a, 'b, 'c) Bigarray.Genarray.t
        = "caml_ba_create"
      external num_dims : ('a, 'b, 'c) Bigarray.Genarray.t -> int
        = "caml_ba_num_dims"
      val dims : ('a, 'b, 'c) Bigarray.Genarray.t -> int array
      external nth_dim : ('a, 'b, 'c) Bigarray.Genarray.t -> int -> int
        = "caml_ba_dim"
      external kind :
        ('a, 'b, 'c) Bigarray.Genarray.t -> ('a, 'b) Bigarray.kind
        = "caml_ba_kind"
      external layout :
        ('a, 'b, 'c) Bigarray.Genarray.t -> 'Bigarray.layout
        = "caml_ba_layout"
      external change_layout :
        ('a, 'b, 'c) Bigarray.Genarray.t ->
        'Bigarray.layout -> ('a, 'b, 'd) Bigarray.Genarray.t
        = "caml_ba_change_layout"
      val size_in_bytes : ('a, 'b, 'c) Bigarray.Genarray.t -> int
      external get : ('a, 'b, 'c) Bigarray.Genarray.t -> int array -> 'a
        = "caml_ba_get_generic"
      external set :
        ('a, 'b, 'c) Bigarray.Genarray.t -> int array -> '-> unit
        = "caml_ba_set_generic"
      external sub_left :
        ('a, 'b, Bigarray.c_layout) Bigarray.Genarray.t ->
        int -> int -> ('a, 'b, Bigarray.c_layout) Bigarray.Genarray.t
        = "caml_ba_sub"
      external sub_right :
        ('a, 'b, Bigarray.fortran_layout) Bigarray.Genarray.t ->
        int -> int -> ('a, 'b, Bigarray.fortran_layout) Bigarray.Genarray.t
        = "caml_ba_sub"
      external slice_left :
        ('a, 'b, Bigarray.c_layout) Bigarray.Genarray.t ->
        int array -> ('a, 'b, Bigarray.c_layout) Bigarray.Genarray.t
        = "caml_ba_slice"
      external slice_right :
        ('a, 'b, Bigarray.fortran_layout) Bigarray.Genarray.t ->
        int array -> ('a, 'b, Bigarray.fortran_layout) Bigarray.Genarray.t
        = "caml_ba_slice"
      external blit :
        ('a, 'b, 'c) Bigarray.Genarray.t ->
        ('a, 'b, 'c) Bigarray.Genarray.t -> unit = "caml_ba_blit"
      external fill : ('a, 'b, 'c) Bigarray.Genarray.t -> '-> unit
        = "caml_ba_fill"
      val map_file :
        Unix.file_descr ->
        ?pos:int64 ->
        ('a, 'b) Bigarray.kind ->
        'Bigarray.layout ->
        bool -> int array -> ('a, 'b, 'c) Bigarray.Genarray.t
    end
  module Array0 :
    sig
      type ('a, 'b, 'c) t
      val create :
        ('a, 'b) Bigarray.kind ->
        'Bigarray.layout -> ('a, 'b, 'c) Bigarray.Array0.t
      external kind :
        ('a, 'b, 'c) Bigarray.Array0.t -> ('a, 'b) Bigarray.kind
        = "caml_ba_kind"
      external layout : ('a, 'b, 'c) Bigarray.Array0.t -> 'Bigarray.layout
        = "caml_ba_layout"
      val size_in_bytes : ('a, 'b, 'c) Bigarray.Array0.t -> int
      val get : ('a, 'b, 'c) Bigarray.Array0.t -> 'a
      val set : ('a, 'b, 'c) Bigarray.Array0.t -> '-> unit
      external blit :
        ('a, 'b, 'c) Bigarray.Array0.t ->
        ('a, 'b, 'c) Bigarray.Array0.t -> unit = "caml_ba_blit"
      external fill : ('a, 'b, 'c) Bigarray.Array0.t -> '-> unit
        = "caml_ba_fill"
      val of_value :
        ('a, 'b) Bigarray.kind ->
        'Bigarray.layout -> '-> ('a, 'b, 'c) Bigarray.Array0.t
    end
  module Array1 :
    sig
      type ('a, 'b, 'c) t
      val create :
        ('a, 'b) Bigarray.kind ->
        'Bigarray.layout -> int -> ('a, 'b, 'c) Bigarray.Array1.t
      external dim : ('a, 'b, 'c) Bigarray.Array1.t -> int = "%caml_ba_dim_1"
      external kind :
        ('a, 'b, 'c) Bigarray.Array1.t -> ('a, 'b) Bigarray.kind
        = "caml_ba_kind"
      external layout : ('a, 'b, 'c) Bigarray.Array1.t -> 'Bigarray.layout
        = "caml_ba_layout"
      val size_in_bytes : ('a, 'b, 'c) Bigarray.Array1.t -> int
      external get : ('a, 'b, 'c) Bigarray.Array1.t -> int -> 'a
        = "%caml_ba_ref_1"
      external set : ('a, 'b, 'c) Bigarray.Array1.t -> int -> '-> unit
        = "%caml_ba_set_1"
      external sub :
        ('a, 'b, 'c) Bigarray.Array1.t ->
        int -> int -> ('a, 'b, 'c) Bigarray.Array1.t = "caml_ba_sub"
      val slice :
        ('a, 'b, 'c) Bigarray.Array1.t ->
        int -> ('a, 'b, 'c) Bigarray.Array0.t
      external blit :
        ('a, 'b, 'c) Bigarray.Array1.t ->
        ('a, 'b, 'c) Bigarray.Array1.t -> unit = "caml_ba_blit"
      external fill : ('a, 'b, 'c) Bigarray.Array1.t -> '-> unit
        = "caml_ba_fill"
      val of_array :
        ('a, 'b) Bigarray.kind ->
        'Bigarray.layout -> 'a array -> ('a, 'b, 'c) Bigarray.Array1.t
      val map_file :
        Unix.file_descr ->
        ?pos:int64 ->
        ('a, 'b) Bigarray.kind ->
        'Bigarray.layout -> bool -> int -> ('a, 'b, 'c) Bigarray.Array1.t
      external unsafe_get : ('a, 'b, 'c) Bigarray.Array1.t -> int -> 'a
        = "%caml_ba_unsafe_ref_1"
      external unsafe_set :
        ('a, 'b, 'c) Bigarray.Array1.t -> int -> '-> unit
        = "%caml_ba_unsafe_set_1"
    end
  module Array2 :
    sig
      type ('a, 'b, 'c) t
      val create :
        ('a, 'b) Bigarray.kind ->
        'Bigarray.layout -> int -> int -> ('a, 'b, 'c) Bigarray.Array2.t
      external dim1 : ('a, 'b, 'c) Bigarray.Array2.t -> int
        = "%caml_ba_dim_1"
      external dim2 : ('a, 'b, 'c) Bigarray.Array2.t -> int
        = "%caml_ba_dim_2"
      external kind :
        ('a, 'b, 'c) Bigarray.Array2.t -> ('a, 'b) Bigarray.kind
        = "caml_ba_kind"
      external layout : ('a, 'b, 'c) Bigarray.Array2.t -> 'Bigarray.layout
        = "caml_ba_layout"
      val size_in_bytes : ('a, 'b, 'c) Bigarray.Array2.t -> int
      external get : ('a, 'b, 'c) Bigarray.Array2.t -> int -> int -> 'a
        = "%caml_ba_ref_2"
      external set :
        ('a, 'b, 'c) Bigarray.Array2.t -> int -> int -> '-> unit
        = "%caml_ba_set_2"
      external sub_left :
        ('a, 'b, Bigarray.c_layout) Bigarray.Array2.t ->
        int -> int -> ('a, 'b, Bigarray.c_layout) Bigarray.Array2.t
        = "caml_ba_sub"
      external sub_right :
        ('a, 'b, Bigarray.fortran_layout) Bigarray.Array2.t ->
        int -> int -> ('a, 'b, Bigarray.fortran_layout) Bigarray.Array2.t
        = "caml_ba_sub"
      val slice_left :
        ('a, 'b, Bigarray.c_layout) Bigarray.Array2.t ->
        int -> ('a, 'b, Bigarray.c_layout) Bigarray.Array1.t
      val slice_right :
        ('a, 'b, Bigarray.fortran_layout) Bigarray.Array2.t ->
        int -> ('a, 'b, Bigarray.fortran_layout) Bigarray.Array1.t
      external blit :
        ('a, 'b, 'c) Bigarray.Array2.t ->
        ('a, 'b, 'c) Bigarray.Array2.t -> unit = "caml_ba_blit"
      external fill : ('a, 'b, 'c) Bigarray.Array2.t -> '-> unit
        = "caml_ba_fill"
      val of_array :
        ('a, 'b) Bigarray.kind ->
        'Bigarray.layout ->
        'a array array -> ('a, 'b, 'c) Bigarray.Array2.t
      val map_file :
        Unix.file_descr ->
        ?pos:int64 ->
        ('a, 'b) Bigarray.kind ->
        'Bigarray.layout ->
        bool -> int -> int -> ('a, 'b, 'c) Bigarray.Array2.t
      external unsafe_get :
        ('a, 'b, 'c) Bigarray.Array2.t -> int -> int -> 'a
        = "%caml_ba_unsafe_ref_2"
      external unsafe_set :
        ('a, 'b, 'c) Bigarray.Array2.t -> int -> int -> '-> unit
        = "%caml_ba_unsafe_set_2"
    end
  module Array3 :
    sig
      type ('a, 'b, 'c) t
      val create :
        ('a, 'b) Bigarray.kind ->
        'Bigarray.layout ->
        int -> int -> int -> ('a, 'b, 'c) Bigarray.Array3.t
      external dim1 : ('a, 'b, 'c) Bigarray.Array3.t -> int
        = "%caml_ba_dim_1"
      external dim2 : ('a, 'b, 'c) Bigarray.Array3.t -> int
        = "%caml_ba_dim_2"
      external dim3 : ('a, 'b, 'c) Bigarray.Array3.t -> int
        = "%caml_ba_dim_3"
      external kind :
        ('a, 'b, 'c) Bigarray.Array3.t -> ('a, 'b) Bigarray.kind
        = "caml_ba_kind"
      external layout : ('a, 'b, 'c) Bigarray.Array3.t -> 'Bigarray.layout
        = "caml_ba_layout"
      val size_in_bytes : ('a, 'b, 'c) Bigarray.Array3.t -> int
      external get :
        ('a, 'b, 'c) Bigarray.Array3.t -> int -> int -> int -> 'a
        = "%caml_ba_ref_3"
      external set :
        ('a, 'b, 'c) Bigarray.Array3.t -> int -> int -> int -> '-> unit
        = "%caml_ba_set_3"
      external sub_left :
        ('a, 'b, Bigarray.c_layout) Bigarray.Array3.t ->
        int -> int -> ('a, 'b, Bigarray.c_layout) Bigarray.Array3.t
        = "caml_ba_sub"
      external sub_right :
        ('a, 'b, Bigarray.fortran_layout) Bigarray.Array3.t ->
        int -> int -> ('a, 'b, Bigarray.fortran_layout) Bigarray.Array3.t
        = "caml_ba_sub"
      val slice_left_1 :
        ('a, 'b, Bigarray.c_layout) Bigarray.Array3.t ->
        int -> int -> ('a, 'b, Bigarray.c_layout) Bigarray.Array1.t
      val slice_right_1 :
        ('a, 'b, Bigarray.fortran_layout) Bigarray.Array3.t ->
        int -> int -> ('a, 'b, Bigarray.fortran_layout) Bigarray.Array1.t
      val slice_left_2 :
        ('a, 'b, Bigarray.c_layout) Bigarray.Array3.t ->
        int -> ('a, 'b, Bigarray.c_layout) Bigarray.Array2.t
      val slice_right_2 :
        ('a, 'b, Bigarray.fortran_layout) Bigarray.Array3.t ->
        int -> ('a, 'b, Bigarray.fortran_layout) Bigarray.Array2.t
      external blit :
        ('a, 'b, 'c) Bigarray.Array3.t ->
        ('a, 'b, 'c) Bigarray.Array3.t -> unit = "caml_ba_blit"
      external fill : ('a, 'b, 'c) Bigarray.Array3.t -> '-> unit
        = "caml_ba_fill"
      val of_array :
        ('a, 'b) Bigarray.kind ->
        'Bigarray.layout ->
        'a array array array -> ('a, 'b, 'c) Bigarray.Array3.t
      val map_file :
        Unix.file_descr ->
        ?pos:int64 ->
        ('a, 'b) Bigarray.kind ->
        'Bigarray.layout ->
        bool -> int -> int -> int -> ('a, 'b, 'c) Bigarray.Array3.t
      external unsafe_get :
        ('a, 'b, 'c) Bigarray.Array3.t -> int -> int -> int -> 'a
        = "%caml_ba_unsafe_ref_3"
      external unsafe_set :
        ('a, 'b, 'c) Bigarray.Array3.t -> int -> int -> int -> '-> unit
        = "%caml_ba_unsafe_set_3"
    end
  external genarray_of_array0 :
    ('a, 'b, 'c) Bigarray.Array0.t -> ('a, 'b, 'c) Bigarray.Genarray.t
    = "%identity"
  external genarray_of_array1 :
    ('a, 'b, 'c) Bigarray.Array1.t -> ('a, 'b, 'c) Bigarray.Genarray.t
    = "%identity"
  external genarray_of_array2 :
    ('a, 'b, 'c) Bigarray.Array2.t -> ('a, 'b, 'c) Bigarray.Genarray.t
    = "%identity"
  external genarray_of_array3 :
    ('a, 'b, 'c) Bigarray.Array3.t -> ('a, 'b, 'c) Bigarray.Genarray.t
    = "%identity"
  val array0_of_genarray :
    ('a, 'b, 'c) Bigarray.Genarray.t -> ('a, 'b, 'c) Bigarray.Array0.t
  val array1_of_genarray :
    ('a, 'b, 'c) Bigarray.Genarray.t -> ('a, 'b, 'c) Bigarray.Array1.t
  val array2_of_genarray :
    ('a, 'b, 'c) Bigarray.Genarray.t -> ('a, 'b, 'c) Bigarray.Array2.t
  val array3_of_genarray :
    ('a, 'b, 'c) Bigarray.Genarray.t -> ('a, 'b, 'c) Bigarray.Array3.t
  val reshape :
    ('a, 'b, 'c) Bigarray.Genarray.t ->
    int array -> ('a, 'b, 'c) Bigarray.Genarray.t
  val reshape_0 :
    ('a, 'b, 'c) Bigarray.Genarray.t -> ('a, 'b, 'c) Bigarray.Array0.t
  val reshape_1 :
    ('a, 'b, 'c) Bigarray.Genarray.t -> int -> ('a, 'b, 'c) Bigarray.Array1.t
  val reshape_2 :
    ('a, 'b, 'c) Bigarray.Genarray.t ->
    int -> int -> ('a, 'b, 'c) Bigarray.Array2.t
  val reshape_3 :
    ('a, 'b, 'c) Bigarray.Genarray.t ->
    int -> int -> int -> ('a, 'b, 'c) Bigarray.Array3.t
end
ocaml-doc-4.05/ocaml.html/libref/Location.html0000644000175000017500000004760213131636445020214 0ustar mehdimehdi Location

Module Location

module Location: sig .. end
Source code locations (ranges of positions), used in parsetree.

type t = {
   loc_start : Lexing.position;
   loc_end : Lexing.position;
   loc_ghost : bool;
}
Note on the use of Lexing.position in this module. If pos_fname = "", then use !input_name instead. If pos_lnum = -1, then pos_bol = 0. Use pos_cnum and re-parse the file to get the line and character numbers. Else all fields are correct.
val none : t
An arbitrary value of type t; describes an empty ghost range.
val in_file : string -> t
Return an empty ghost range located in a given file.
val init : Lexing.lexbuf -> string -> unit
Set the file name and line number of the lexbuf to be the start of the named file.
val curr : Lexing.lexbuf -> t
Get the location of the current token from the lexbuf.
val symbol_rloc : unit -> t
val symbol_gloc : unit -> t
val rhs_loc : int -> t
rhs_loc n returns the location of the symbol at position n, starting at 1, in the current parser rule.
val input_name : string ref
val input_lexbuf : Lexing.lexbuf option ref
val get_pos_info : Lexing.position -> string * int * int
val print_loc : Format.formatter -> t -> unit
val print_error : Format.formatter -> t -> unit
val print_error_cur_file : Format.formatter -> unit -> unit
val print_warning : t -> Format.formatter -> Warnings.t -> unit
val formatter_for_warnings : Format.formatter ref
val prerr_warning : t -> Warnings.t -> unit
val echo_eof : unit -> unit
val reset : unit -> unit
val warning_printer : (t -> Format.formatter -> Warnings.t -> unit) ref
Hook for intercepting warnings.
val default_warning_printer : t -> Format.formatter -> Warnings.t -> unit
Original warning printer for use in hooks.
val highlight_locations : Format.formatter -> t list -> bool
type 'a loc = {
   txt : 'a;
   loc : t;
}
val mknoloc : 'a -> 'a loc
val mkloc : 'a -> t -> 'a loc
val print : Format.formatter -> t -> unit
val print_compact : Format.formatter -> t -> unit
val print_filename : Format.formatter -> string -> unit
val absolute_path : string -> string
val show_filename : string -> string
In -absname mode, return the absolute path for this filename. Otherwise, returns the filename unchanged.
val absname : bool ref
type error = {
   loc : t;
   msg : string;
   sub : error list;
   if_highlight : string;
}
exception Error of error
val print_error_prefix : Format.formatter -> unit -> unit
val error : ?loc:t ->
?sub:error list -> ?if_highlight:string -> string -> error
val errorf : ?loc:t ->
?sub:error list ->
?if_highlight:string ->
('a, Format.formatter, unit, error) format4 -> 'a
val raise_errorf : ?loc:t ->
?sub:error list ->
?if_highlight:string ->
('a, Format.formatter, unit, 'b) format4 -> 'a
val error_of_printer : t -> (Format.formatter -> 'a -> unit) -> 'a -> error
val error_of_printer_file : (Format.formatter -> 'a -> unit) -> 'a -> error
val error_of_exn : exn -> error option
val register_error_of_exn : (exn -> error option) -> unit
val report_error : Format.formatter -> error -> unit
val error_reporter : (Format.formatter -> error -> unit) ref
Hook for intercepting error reports.
val default_error_reporter : Format.formatter -> error -> unit
Original error reporter for use in hooks.
val report_exception : Format.formatter -> exn -> unit
ocaml-doc-4.05/ocaml.html/libref/type_Numbers.Int.html0000644000175000017500000012372113131636447021650 0ustar mehdimehdi Numbers.Int sig
  type t = int
  module T :
    sig
      type t = t
      val equal : t -> t -> bool
      val hash : t -> int
      val compare : t -> t -> int
      val output : out_channel -> t -> unit
      val print : Format.formatter -> t -> unit
    end
  val equal : T.t -> T.t -> bool
  val hash : T.t -> int
  val compare : T.t -> T.t -> int
  val output : out_channel -> T.t -> unit
  val print : Format.formatter -> T.t -> unit
  module Set :
    sig
      type elt = T.t
      type t = Set.Make(T).t
      val empty : t
      val is_empty : t -> bool
      val mem : elt -> t -> bool
      val add : elt -> t -> t
      val singleton : elt -> t
      val remove : elt -> t -> t
      val union : t -> t -> t
      val inter : t -> t -> t
      val diff : t -> t -> t
      val compare : t -> t -> int
      val equal : t -> t -> bool
      val subset : t -> t -> bool
      val iter : (elt -> unit) -> t -> unit
      val fold : (elt -> '-> 'a) -> t -> '-> 'a
      val for_all : (elt -> bool) -> t -> bool
      val exists : (elt -> bool) -> t -> bool
      val filter : (elt -> bool) -> t -> t
      val partition : (elt -> bool) -> t -> t * t
      val cardinal : t -> int
      val elements : t -> elt list
      val min_elt : t -> elt
      val min_elt_opt : t -> elt option
      val max_elt : t -> elt
      val max_elt_opt : t -> elt option
      val choose : t -> elt
      val choose_opt : t -> elt option
      val split : elt -> t -> t * bool * t
      val find : elt -> t -> elt
      val find_opt : elt -> t -> elt option
      val find_first : (elt -> bool) -> t -> elt
      val find_first_opt : (elt -> bool) -> t -> elt option
      val find_last : (elt -> bool) -> t -> elt
      val find_last_opt : (elt -> bool) -> t -> elt option
      val output : out_channel -> t -> unit
      val print : Format.formatter -> t -> unit
      val to_string : t -> string
      val of_list : elt list -> t
      val map : (elt -> elt) -> t -> t
    end
  module Map :
    sig
      type key = T.t
      type 'a t = 'Map.Make(T).t
      val empty : 'a t
      val is_empty : 'a t -> bool
      val mem : key -> 'a t -> bool
      val add : key -> '-> 'a t -> 'a t
      val singleton : key -> '-> 'a t
      val remove : key -> 'a t -> 'a t
      val merge :
        (key -> 'a option -> 'b option -> 'c option) -> 'a t -> 'b t -> 'c t
      val union : (key -> '-> '-> 'a option) -> 'a t -> 'a t -> 'a t
      val compare : ('-> '-> int) -> 'a t -> 'a t -> int
      val equal : ('-> '-> bool) -> 'a t -> 'a t -> bool
      val iter : (key -> '-> unit) -> 'a t -> unit
      val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
      val for_all : (key -> '-> bool) -> 'a t -> bool
      val exists : (key -> '-> bool) -> 'a t -> bool
      val filter : (key -> '-> bool) -> 'a t -> 'a t
      val partition : (key -> '-> bool) -> 'a t -> 'a t * 'a t
      val cardinal : 'a t -> int
      val bindings : 'a t -> (key * 'a) list
      val min_binding : 'a t -> key * 'a
      val min_binding_opt : 'a t -> (key * 'a) option
      val max_binding : 'a t -> key * 'a
      val max_binding_opt : 'a t -> (key * 'a) option
      val choose : 'a t -> key * 'a
      val choose_opt : 'a t -> (key * 'a) option
      val split : key -> 'a t -> 'a t * 'a option * 'a t
      val find : key -> 'a t -> 'a
      val find_opt : key -> 'a t -> 'a option
      val find_first : (key -> bool) -> 'a t -> key * 'a
      val find_first_opt : (key -> bool) -> 'a t -> (key * 'a) option
      val find_last : (key -> bool) -> 'a t -> key * 'a
      val find_last_opt : (key -> bool) -> 'a t -> (key * 'a) option
      val map : ('-> 'b) -> 'a t -> 'b t
      val mapi : (key -> '-> 'b) -> 'a t -> 'b t
      val filter_map : 'a t -> f:(key -> '-> 'b option) -> 'b t
      val of_list : (key * 'a) list -> 'a t
      val disjoint_union :
        ?eq:('-> '-> bool) ->
        ?print:(Format.formatter -> '-> unit) -> 'a t -> 'a t -> 'a t
      val union_right : 'a t -> 'a t -> 'a t
      val union_left : 'a t -> 'a t -> 'a t
      val union_merge : ('-> '-> 'a) -> 'a t -> 'a t -> 'a t
      val rename : key t -> key -> key
      val map_keys : (key -> key) -> 'a t -> 'a t
      val keys : 'a t -> Set.t
      val data : 'a t -> 'a list
      val of_set : (key -> 'a) -> Set.t -> 'a t
      val transpose_keys_and_data : key t -> key t
      val transpose_keys_and_data_set : key t -> Set.t t
      val print :
        (Format.formatter -> '-> unit) -> Format.formatter -> 'a t -> unit
    end
  module Tbl :
    sig
      type key = T.t
      type 'a t = 'Hashtbl.Make(T).t
      val create : int -> 'a t
      val clear : 'a t -> unit
      val reset : 'a t -> unit
      val copy : 'a t -> 'a t
      val add : 'a t -> key -> '-> unit
      val remove : 'a t -> key -> unit
      val find : 'a t -> key -> 'a
      val find_opt : 'a t -> key -> 'a option
      val find_all : 'a t -> key -> 'a list
      val replace : 'a t -> key -> '-> unit
      val mem : 'a t -> key -> bool
      val iter : (key -> '-> unit) -> 'a t -> unit
      val filter_map_inplace : (key -> '-> 'a option) -> 'a t -> unit
      val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
      val length : 'a t -> int
      val stats : 'a t -> Hashtbl.statistics
      val to_list : 'a t -> (T.t * 'a) list
      val of_list : (T.t * 'a) list -> 'a t
      val to_map : 'a t -> 'Map.t
      val of_map : 'Map.t -> 'a t
      val memoize : 'a t -> (key -> 'a) -> key -> 'a
      val map : 'a t -> ('-> 'b) -> 'b t
    end
  val zero_to_n : int -> Set.t
end
ocaml-doc-4.05/ocaml.html/libref/type_Misc.StringMap.html0000644000175000017500000004254613131636446022306 0ustar mehdimehdi Misc.StringMap sig
  type key = string
  type +'a t
  val empty : 'a t
  val is_empty : 'a t -> bool
  val mem : key -> 'a t -> bool
  val add : key -> '-> 'a t -> 'a t
  val singleton : key -> '-> 'a t
  val remove : key -> 'a t -> 'a t
  val merge :
    (key -> 'a option -> 'b option -> 'c option) -> 'a t -> 'b t -> 'c t
  val union : (key -> '-> '-> 'a option) -> 'a t -> 'a t -> 'a t
  val compare : ('-> '-> int) -> 'a t -> 'a t -> int
  val equal : ('-> '-> bool) -> 'a t -> 'a t -> bool
  val iter : (key -> '-> unit) -> 'a t -> unit
  val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
  val for_all : (key -> '-> bool) -> 'a t -> bool
  val exists : (key -> '-> bool) -> 'a t -> bool
  val filter : (key -> '-> bool) -> 'a t -> 'a t
  val partition : (key -> '-> bool) -> 'a t -> 'a t * 'a t
  val cardinal : 'a t -> int
  val bindings : 'a t -> (key * 'a) list
  val min_binding : 'a t -> key * 'a
  val min_binding_opt : 'a t -> (key * 'a) option
  val max_binding : 'a t -> key * 'a
  val max_binding_opt : 'a t -> (key * 'a) option
  val choose : 'a t -> key * 'a
  val choose_opt : 'a t -> (key * 'a) option
  val split : key -> 'a t -> 'a t * 'a option * 'a t
  val find : key -> 'a t -> 'a
  val find_opt : key -> 'a t -> 'a option
  val find_first : (key -> bool) -> 'a t -> key * 'a
  val find_first_opt : (key -> bool) -> 'a t -> (key * 'a) option
  val find_last : (key -> bool) -> 'a t -> key * 'a
  val find_last_opt : (key -> bool) -> 'a t -> (key * 'a) option
  val map : ('-> 'b) -> 'a t -> 'b t
  val mapi : (key -> '-> 'b) -> 'a t -> 'b t
end
ocaml-doc-4.05/ocaml.html/libref/type_Scanf.Scanning.html0000644000175000017500000002351513131636450022267 0ustar mehdimehdi Scanf.Scanning sig
  type in_channel
  type scanbuf = Scanf.Scanning.in_channel
  val stdin : Scanf.Scanning.in_channel
  type file_name = string
  val open_in : Scanf.Scanning.file_name -> Scanf.Scanning.in_channel
  val open_in_bin : Scanf.Scanning.file_name -> Scanf.Scanning.in_channel
  val close_in : Scanf.Scanning.in_channel -> unit
  val from_file : Scanf.Scanning.file_name -> Scanf.Scanning.in_channel
  val from_file_bin : string -> Scanf.Scanning.in_channel
  val from_string : string -> Scanf.Scanning.in_channel
  val from_function : (unit -> char) -> Scanf.Scanning.in_channel
  val from_channel : Pervasives.in_channel -> Scanf.Scanning.in_channel
  val end_of_input : Scanf.Scanning.in_channel -> bool
  val beginning_of_input : Scanf.Scanning.in_channel -> bool
  val name_of_input : Scanf.Scanning.in_channel -> string
  val stdib : Scanf.Scanning.in_channel
end
ocaml-doc-4.05/ocaml.html/libref/Spacetime.Series.html0000644000175000017500000002174613131636450021604 0ustar mehdimehdi Spacetime.Series

Module Spacetime.Series

module Series: sig .. end

type t 
Type representing a file that will hold a series of heap snapshots together with additional information required to interpret those snapshots.
val create : path:string -> t
create ~path creates a series file at path.
val save_event : ?time:float -> t -> event_name:string -> unit
save_event writes an event, which is an arbitrary string, into the given series file. This may be used for identifying particular points during program execution when analysing the profile. The optional time parameter is as for Spacetime.Snapshot.take.
val save_and_close : ?time:float -> t -> unit
save_and_close series writes information into series required for interpeting the snapshots that series contains and then closes the series file. This function must be called to produce a valid series file. The optional time parameter is as for Spacetime.Snapshot.take.
ocaml-doc-4.05/ocaml.html/libref/Stream.html0000644000175000017500000003177313131636450017675 0ustar mehdimehdi Stream

Module Stream

module Stream: sig .. end
Streams and parsers.

type 'a t 
The type of streams holding values of type 'a.
exception Failure
Raised by parsers when none of the first components of the stream patterns is accepted.
exception Error of string
Raised by parsers when the first component of a stream pattern is accepted, but one of the following components is rejected.

Stream builders

val from : (int -> 'a option) -> 'a t
Stream.from f returns a stream built from the function f. To create a new stream element, the function f is called with the current stream count. The user function f must return either Some <value> for a value or None to specify the end of the stream.

Do note that the indices passed to f may not start at 0 in the general case. For example, [< '0; '1; Stream.from f >] would call f the first time with count 2.

val of_list : 'a list -> 'a t
Return the stream holding the elements of the list in the same order.
val of_string : string -> char t
Return the stream of the characters of the string parameter.
val of_bytes : bytes -> char t
Return the stream of the characters of the bytes parameter.
Since 4.02.0
val of_channel : in_channel -> char t
Return the stream of the characters read from the input channel.

Stream iterator

val iter : ('a -> unit) -> 'a t -> unit
Stream.iter f s scans the whole stream s, applying function f in turn to each stream element encountered.

Predefined parsers

val next : 'a t -> 'a
Return the first element of the stream and remove it from the stream. Raise Stream.Failure if the stream is empty.
val empty : 'a t -> unit
Return () if the stream is empty, else raise Stream.Failure.

Useful functions

val peek : 'a t -> 'a option
Return Some of "the first element" of the stream, or None if the stream is empty.
val junk : 'a t -> unit
Remove the first element of the stream, possibly unfreezing it before.
val count : 'a t -> int
Return the current count of the stream elements, i.e. the number of the stream elements discarded.
val npeek : int -> 'a t -> 'a list
npeek n returns the list of the n first elements of the stream, or all its remaining elements if less than n elements are available.
ocaml-doc-4.05/ocaml.html/libref/type_Bigarray.Array0.html0000644000175000017500000002642213131636442022374 0ustar mehdimehdi Bigarray.Array0 sig
  type ('a, 'b, 'c) t
  val create :
    ('a, 'b) Bigarray.kind ->
    'Bigarray.layout -> ('a, 'b, 'c) Bigarray.Array0.t
  external kind : ('a, 'b, 'c) Bigarray.Array0.t -> ('a, 'b) Bigarray.kind
    = "caml_ba_kind"
  external layout : ('a, 'b, 'c) Bigarray.Array0.t -> 'Bigarray.layout
    = "caml_ba_layout"
  val size_in_bytes : ('a, 'b, 'c) Bigarray.Array0.t -> int
  val get : ('a, 'b, 'c) Bigarray.Array0.t -> 'a
  val set : ('a, 'b, 'c) Bigarray.Array0.t -> '-> unit
  external blit :
    ('a, 'b, 'c) Bigarray.Array0.t -> ('a, 'b, 'c) Bigarray.Array0.t -> unit
    = "caml_ba_blit"
  external fill : ('a, 'b, 'c) Bigarray.Array0.t -> '-> unit
    = "caml_ba_fill"
  val of_value :
    ('a, 'b) Bigarray.kind ->
    'Bigarray.layout -> '-> ('a, 'b, 'c) Bigarray.Array0.t
end
ocaml-doc-4.05/ocaml.html/libref/Ast_helper.Mtd.html0000644000175000017500000001735413131636441021252 0ustar mehdimehdi Ast_helper.Mtd

Module Ast_helper.Mtd

module Mtd: sig .. end
Module type declarations

val mk : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
?docs:Docstrings.docs ->
?text:Docstrings.text ->
?typ:Parsetree.module_type ->
Ast_helper.str -> Parsetree.module_type_declaration
ocaml-doc-4.05/ocaml.html/libref/type_MoreLabels.Hashtbl.HashedType.html0000644000175000017500000001471613131636446025154 0ustar mehdimehdi MoreLabels.Hashtbl.HashedType Hashtbl.HashedTypeocaml-doc-4.05/ocaml.html/libref/ThreadUnix.html0000644000175000017500000003743413131636451020516 0ustar mehdimehdi ThreadUnix

Module ThreadUnix

module ThreadUnix: sig .. end
Deprecated.The functionality of this module has been merged back into the Unix module. Threaded programs can now call the functions from module Unix directly, and still get the correct behavior (block the calling thread, if required, but do not block all threads in the process).
Thread-compatible system calls.


Process handling

val execv : string -> string array -> unit
val execve : string -> string array -> string array -> unit
val execvp : string -> string array -> unit
val wait : unit -> int * Unix.process_status
val waitpid : Unix.wait_flag list -> int -> int * Unix.process_status
val system : string -> Unix.process_status

Basic input/output

val read : Unix.file_descr -> bytes -> int -> int -> int
val write : Unix.file_descr -> bytes -> int -> int -> int
val write_substring : Unix.file_descr -> string -> int -> int -> int

Input/output with timeout

val timed_read : Unix.file_descr -> bytes -> int -> int -> float -> int
See ThreadUnix.timed_write.
val timed_write : Unix.file_descr -> bytes -> int -> int -> float -> int
Behave as ThreadUnix.read and ThreadUnix.write, except that Unix_error(ETIMEDOUT,_,_) is raised if no data is available for reading or ready for writing after d seconds. The delay d is given in the fifth argument, in seconds.
val timed_write_substring : Unix.file_descr -> string -> int -> int -> float -> int
See ThreadUnix.timed_write.

Polling

val select : Unix.file_descr list ->
Unix.file_descr list ->
Unix.file_descr list ->
float -> Unix.file_descr list * Unix.file_descr list * Unix.file_descr list

Pipes and redirections

val pipe : ?cloexec:bool -> unit -> Unix.file_descr * Unix.file_descr
val open_process_in : string -> in_channel
val open_process_out : string -> out_channel
val open_process : string -> in_channel * out_channel

Time

val sleep : int -> unit

Sockets

val socket : ?cloexec:bool ->
Unix.socket_domain -> Unix.socket_type -> int -> Unix.file_descr
val accept : ?cloexec:bool -> Unix.file_descr -> Unix.file_descr * Unix.sockaddr
val connect : Unix.file_descr -> Unix.sockaddr -> unit
val recv : Unix.file_descr -> bytes -> int -> int -> Unix.msg_flag list -> int
val recvfrom : Unix.file_descr ->
bytes -> int -> int -> Unix.msg_flag list -> int * Unix.sockaddr
val send : Unix.file_descr -> bytes -> int -> int -> Unix.msg_flag list -> int
val send_substring : Unix.file_descr -> string -> int -> int -> Unix.msg_flag list -> int
val sendto : Unix.file_descr ->
bytes -> int -> int -> Unix.msg_flag list -> Unix.sockaddr -> int
val sendto_substring : Unix.file_descr ->
string -> int -> int -> Unix.msg_flag list -> Unix.sockaddr -> int
val open_connection : Unix.sockaddr -> in_channel * out_channel
ocaml-doc-4.05/ocaml.html/libref/type_List.html0000644000175000017500000006176313131636445020424 0ustar mehdimehdi List sig
  val length : 'a list -> int
  val compare_lengths : 'a list -> 'b list -> int
  val compare_length_with : 'a list -> int -> int
  val cons : '-> 'a list -> 'a list
  val hd : 'a list -> 'a
  val tl : 'a list -> 'a list
  val nth : 'a list -> int -> 'a
  val nth_opt : 'a list -> int -> 'a option
  val rev : 'a list -> 'a list
  val append : 'a list -> 'a list -> 'a list
  val rev_append : 'a list -> 'a list -> 'a list
  val concat : 'a list list -> 'a list
  val flatten : 'a list list -> 'a list
  val iter : ('-> unit) -> 'a list -> unit
  val iteri : (int -> '-> unit) -> 'a list -> unit
  val map : ('-> 'b) -> 'a list -> 'b list
  val mapi : (int -> '-> 'b) -> 'a list -> 'b list
  val rev_map : ('-> 'b) -> 'a list -> 'b list
  val fold_left : ('-> '-> 'a) -> '-> 'b list -> 'a
  val fold_right : ('-> '-> 'b) -> 'a list -> '-> 'b
  val iter2 : ('-> '-> unit) -> 'a list -> 'b list -> unit
  val map2 : ('-> '-> 'c) -> 'a list -> 'b list -> 'c list
  val rev_map2 : ('-> '-> 'c) -> 'a list -> 'b list -> 'c list
  val fold_left2 : ('-> '-> '-> 'a) -> '-> 'b list -> 'c list -> 'a
  val fold_right2 : ('-> '-> '-> 'c) -> 'a list -> 'b list -> '-> 'c
  val for_all : ('-> bool) -> 'a list -> bool
  val exists : ('-> bool) -> 'a list -> bool
  val for_all2 : ('-> '-> bool) -> 'a list -> 'b list -> bool
  val exists2 : ('-> '-> bool) -> 'a list -> 'b list -> bool
  val mem : '-> 'a list -> bool
  val memq : '-> 'a list -> bool
  val find : ('-> bool) -> 'a list -> 'a
  val find_opt : ('-> bool) -> 'a list -> 'a option
  val filter : ('-> bool) -> 'a list -> 'a list
  val find_all : ('-> bool) -> 'a list -> 'a list
  val partition : ('-> bool) -> 'a list -> 'a list * 'a list
  val assoc : '-> ('a * 'b) list -> 'b
  val assoc_opt : '-> ('a * 'b) list -> 'b option
  val assq : '-> ('a * 'b) list -> 'b
  val assq_opt : '-> ('a * 'b) list -> 'b option
  val mem_assoc : '-> ('a * 'b) list -> bool
  val mem_assq : '-> ('a * 'b) list -> bool
  val remove_assoc : '-> ('a * 'b) list -> ('a * 'b) list
  val remove_assq : '-> ('a * 'b) list -> ('a * 'b) list
  val split : ('a * 'b) list -> 'a list * 'b list
  val combine : 'a list -> 'b list -> ('a * 'b) list
  val sort : ('-> '-> int) -> 'a list -> 'a list
  val stable_sort : ('-> '-> int) -> 'a list -> 'a list
  val fast_sort : ('-> '-> int) -> 'a list -> 'a list
  val sort_uniq : ('-> '-> int) -> 'a list -> 'a list
  val merge : ('-> '-> int) -> 'a list -> 'a list -> 'a list
end
ocaml-doc-4.05/ocaml.html/libref/Set.Make.html0000644000175000017500000006404113131636450020043 0ustar mehdimehdi Set.Make

Functor Set.Make

module Make: 
functor (Ord : OrderedType-> S with type elt = Ord.t
Functor building an implementation of the set structure given a totally ordered type.
Parameters:
Ord : OrderedType

type elt 
The type of the set elements.
type t 
The type of sets.
val empty : t
The empty set.
val is_empty : t -> bool
Test whether a set is empty or not.
val mem : elt -> t -> bool
mem x s tests whether x belongs to the set s.
val add : elt -> t -> t
add x s returns a set containing all elements of s, plus x. If x was already in s, s is returned unchanged (the result of the function is then physically equal to s).
Before 4.03 Physical equality was not ensured.
val singleton : elt -> t
singleton x returns the one-element set containing only x.
val remove : elt -> t -> t
remove x s returns a set containing all elements of s, except x. If x was not in s, s is returned unchanged (the result of the function is then physically equal to s).
Before 4.03 Physical equality was not ensured.
val union : t -> t -> t
Set union.
val inter : t -> t -> t
Set intersection.
val diff : t -> t -> t
Set difference.
val compare : t -> t -> int
Total ordering between sets. Can be used as the ordering function for doing sets of sets.
val equal : t -> t -> bool
equal s1 s2 tests whether the sets s1 and s2 are equal, that is, contain equal elements.
val subset : t -> t -> bool
subset s1 s2 tests whether the set s1 is a subset of the set s2.
val iter : (elt -> unit) -> t -> unit
iter f s applies f in turn to all elements of s. The elements of s are presented to f in increasing order with respect to the ordering over the type of the elements.
val map : (elt -> elt) -> t -> t
map f s is the set whose elements are f a0,f a1... f
        aN
, where a0,a1...aN are the elements of s.

The elements are passed to f in increasing order with respect to the ordering over the type of the elements.

If no element of s is changed by f, s is returned unchanged. (If each output of f is physically equal to its input, the returned set is physically equal to s.)
Since 4.04.0

val fold : (elt -> 'a -> 'a) -> t -> 'a -> 'a
fold f s a computes (f xN ... (f x2 (f x1 a))...), where x1 ... xN are the elements of s, in increasing order.
val for_all : (elt -> bool) -> t -> bool
for_all p s checks if all elements of the set satisfy the predicate p.
val exists : (elt -> bool) -> t -> bool
exists p s checks if at least one element of the set satisfies the predicate p.
val filter : (elt -> bool) -> t -> t
filter p s returns the set of all elements in s that satisfy predicate p. If p satisfies every element in s, s is returned unchanged (the result of the function is then physically equal to s).
Before 4.03 Physical equality was not ensured.
val partition : (elt -> bool) -> t -> t * t
partition p s returns a pair of sets (s1, s2), where s1 is the set of all the elements of s that satisfy the predicate p, and s2 is the set of all the elements of s that do not satisfy p.
val cardinal : t -> int
Return the number of elements of a set.
val elements : t -> elt list
Return the list of all elements of the given set. The returned list is sorted in increasing order with respect to the ordering Ord.compare, where Ord is the argument given to Set.Make.
val min_elt : t -> elt
Return the smallest element of the given set (with respect to the Ord.compare ordering), or raise Not_found if the set is empty.
val min_elt_opt : t -> elt option
Return the smallest element of the given set (with respect to the Ord.compare ordering), or None if the set is empty.
Since 4.05
val max_elt : t -> elt
Same as Set.S.min_elt, but returns the largest element of the given set.
val max_elt_opt : t -> elt option
Same as Set.S.min_elt_opt, but returns the largest element of the given set.
Since 4.05
val choose : t -> elt
Return one element of the given set, or raise Not_found if the set is empty. Which element is chosen is unspecified, but equal elements will be chosen for equal sets.
val choose_opt : t -> elt option
Return one element of the given set, or None if the set is empty. Which element is chosen is unspecified, but equal elements will be chosen for equal sets.
Since 4.05
val split : elt -> t -> t * bool * t
split x s returns a triple (l, present, r), where l is the set of elements of s that are strictly less than x; r is the set of elements of s that are strictly greater than x; present is false if s contains no element equal to x, or true if s contains an element equal to x.
val find : elt -> t -> elt
find x s returns the element of s equal to x (according to Ord.compare), or raise Not_found if no such element exists.
Since 4.01.0
val find_opt : elt -> t -> elt option
find_opt x s returns the element of s equal to x (according to Ord.compare), or None if no such element exists.
Since 4.05
val find_first : (elt -> bool) -> t -> elt
find_first f s, where f is a monotonically increasing function, returns the lowest element e of s such that f e, or raises Not_found if no such element exists.

For example, find_first (fun e -> Ord.compare e x >= 0) s will return the first element e of s where Ord.compare e x >= 0 (intuitively: e >= x), or raise Not_found if x is greater than any element of s.
Since 4.05

val find_first_opt : (elt -> bool) -> t -> elt option
find_first_opt f s, where f is a monotonically increasing function, returns an option containing the lowest element e of s such that f e, or None if no such element exists.
Since 4.05
val find_last : (elt -> bool) -> t -> elt
find_last f s, where f is a monotonically decreasing function, returns the highest element e of s such that f e, or raises Not_found if no such element exists.
Since 4.05
val find_last_opt : (elt -> bool) -> t -> elt option
find_last_opt f s, where f is a monotonically decreasing function, returns an option containing the highest element e of s such that f e, or None if no such element exists.
Since 4.05
val of_list : elt list -> t
of_list l creates a set from a list of elements. This is usually more efficient than folding add over the list, except perhaps for lists with many duplicated elements.
Since 4.02.0
ocaml-doc-4.05/ocaml.html/libref/type_String.html0000644000175000017500000003772713131636451020757 0ustar mehdimehdi String sig
  external length : string -> int = "%string_length"
  external get : string -> int -> char = "%string_safe_get"
  external set : bytes -> int -> char -> unit = "%string_safe_set"
  external create : int -> bytes = "caml_create_string"
  val make : int -> char -> string
  val init : int -> (int -> char) -> string
  val copy : string -> string
  val sub : string -> int -> int -> string
  val fill : bytes -> int -> int -> char -> unit
  val blit : string -> int -> bytes -> int -> int -> unit
  val concat : string -> string list -> string
  val iter : (char -> unit) -> string -> unit
  val iteri : (int -> char -> unit) -> string -> unit
  val map : (char -> char) -> string -> string
  val mapi : (int -> char -> char) -> string -> string
  val trim : string -> string
  val escaped : string -> string
  val index : string -> char -> int
  val index_opt : string -> char -> int option
  val rindex : string -> char -> int
  val rindex_opt : string -> char -> int option
  val index_from : string -> int -> char -> int
  val index_from_opt : string -> int -> char -> int option
  val rindex_from : string -> int -> char -> int
  val rindex_from_opt : string -> int -> char -> int option
  val contains : string -> char -> bool
  val contains_from : string -> int -> char -> bool
  val rcontains_from : string -> int -> char -> bool
  val uppercase : string -> string
  val lowercase : string -> string
  val capitalize : string -> string
  val uncapitalize : string -> string
  val uppercase_ascii : string -> string
  val lowercase_ascii : string -> string
  val capitalize_ascii : string -> string
  val uncapitalize_ascii : string -> string
  type t = string
  val compare : String.t -> String.t -> int
  val equal : String.t -> String.t -> bool
  val split_on_char : char -> string -> string list
  external unsafe_get : string -> int -> char = "%string_unsafe_get"
  external unsafe_set : bytes -> int -> char -> unit = "%string_unsafe_set"
  external unsafe_blit : string -> int -> bytes -> int -> int -> unit
    = "caml_blit_string" [@@noalloc]
  external unsafe_fill : bytes -> int -> int -> char -> unit
    = "caml_fill_string" [@@noalloc]
end
ocaml-doc-4.05/ocaml.html/libref/Unix.html0000644000175000017500000070561313131636451017367 0ustar mehdimehdi Unix

Module Unix

module Unix: sig .. end
Interface to the Unix system.

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



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.
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.Unix_error is raised, it prints a message describing the error and exits with code 2.

Access to the process environment

val environment : unit -> string array
Return the process environment, as an array of strings with the format ``variable=value''.
val getenv : string -> string
Return the value associated to a variable in the process environment, unless the process has special privileges.
Raises Not_found if the variable is unbound or the process has special privileges.

(This function is identical to Sys.getenv.

val putenv : string -> string -> unit
Unix.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.

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 Unix.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.
Raises Unix.Unix_error on failure.
val execve : string -> string array -> string array -> 'a
Same as Unix.execv, except that the third argument provides the environment to the program executed.
val execvp : string -> string array -> 'a
Same as Unix.execv, except that the program is searched in the path.
val execvpe : string -> string array -> string array -> 'a
Same as Unix.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 Unix.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 Unix.waitpid.

val waitpid : wait_flag list -> int -> int * process_status
Same as Unix.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, this function 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. The result WEXITED 127 indicates that the shell couldn't be executed.
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.


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 Unix.openfile. See Unix.set_close_on_exec for more information.
*)
| O_KEEPEXEC (*
Clear the close-on-exec flag. This is currently the default.
*)
The flags to Unix.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 Unix.umask). Return a file descriptor on the named file.
val close : file_descr -> unit
Close a file descriptor.
val read : file_descr -> bytes -> int -> int -> int
read fd buff ofs len reads len bytes from descriptor fd, storing them in byte sequence buff, starting at position ofs in buff. Return the number of bytes actually read.
val write : file_descr -> bytes -> int -> int -> int
write fd buff ofs len writes len bytes to descriptor fd, taking them from byte sequence buff, starting at position ofs 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

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, set_binary_mode_in always fails on channels created with this function.

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

You need to explicitly close all channels created with this function. Closing the channel also closes the underlying file descriptor (unless it was already closed).

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, set_binary_mode_out always fails on channels created with this function.

Beware that channels are buffered so you may have to flush them to ensure that all data has been sent to the file descriptor. Channels also keep a copy of the current position in the file.

You need to explicitly close all channels created with this function. Closing the channel flushes the data and closes the underlying file descriptor (unless it has already been closed, in which case the buffered data is lost).

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.

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 Unix.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.

On Windows: not implemented.

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

On Windows: not implemented.


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 minor number
*)
   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 Unix.stat calls.
val stat : string -> stats
Return the information for the named file.
val lstat : string -> stats
Same as Unix.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.

File operations on large files

module LargeFile: sig .. end
File operations on large files.

Operations on file names

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

If the named file is a directory, raises:


val rename : string -> string -> unit
rename old new changes the name of a file from old to new.
val link : string -> string -> unit
link source dest creates a hard link named dest to the file named source.

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 Unix.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 (make no sense on a DOS file system).
val fchown : file_descr -> int -> int -> unit
Change the owner uid and owner gid of an opened file. On Windows: not implemented (make no sense on a DOS file system).
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.
Raises Unix_error otherwise.

On Windows, execute permission X_OK, cannot be tested, it just tests for read permission instead.


Operations on file descriptors

val dup : ?cloexec:bool -> file_descr -> file_descr
Return a new file descriptor referencing the same file as the given descriptor. See Unix.set_close_on_exec for documentation on the cloexec optional argument.
val dup2 : ?cloexec:bool -> file_descr -> file_descr -> unit
dup2 fd1 fd2 duplicates fd1 to fd2, closing fd2 if already opened. See Unix.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 Unix.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 Unix.set_close_on_exec.

Directories

val mkdir : string -> file_perm -> unit
Create a directory with the given permissions (see Unix.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.
Raises 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.

Pipes and redirections

val pipe : ?cloexec: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 Unix.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 Unix.umask). On Windows: not implemented.

High-level process and redirection management

val create_process : string ->
string array -> file_descr -> file_descr -> file_descr -> int
create_process prog args new_stdin new_stdout new_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 new_stdin, new_stdout and new_stderr. Passing e.g. stdout for new_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 new_stdin new_stdout new_stderr works as Unix.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.
val open_process_out : string -> out_channel
Same as Unix.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 flush at the right times to ensure correct synchronization.
val open_process : string -> in_channel * out_channel
Same as Unix.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.
val open_process_full : string ->
string array ->
in_channel * out_channel * in_channel
Similar to Unix.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.
val close_process_in : in_channel -> process_status
Close channels opened by Unix.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 Unix.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 Unix.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 Unix.open_process_full, wait for the associated command to terminate, and return its termination status.


val symlink : ?to_dir:bool -> string -> string -> unit
symlink ?to_dir source dest creates the file dest as a symbolic link to the file source. On Windows, ~to_dir indicates if the symbolic link points to a directory or a file; if omitted, symlink examines source using stat and picks appropriately, if source 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.

Unix.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.

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).

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 Unix.lockf.
val lockf : file_descr -> lock_command -> int -> unit
lockf fd cmd size 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 Unix.lseek), and extends size bytes forward if size is positive, size bytes backwards if size is negative, or to the end of the file if size 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.


Signals
Note: installation of signal handlers is performed via the functions Sys.signal and Sys.set_signal.
val kill : int -> int -> unit
kill pid sig sends signal number sig 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 cmd sigs changes the set of blocked signals. If cmd is SIG_SETMASK, blocked signals are set to those in the list sigs. If cmd is SIG_BLOCK, the signals in sigs are added to the set of blocked signals. If cmd is SIG_UNBLOCK, the signals in sigs are removed from the set of blocked signals. sigprocmask returns the set of previously blocked signals.

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).


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 Unix.time, but with resolution better than 1 second.
val gmtime : float -> tm
Convert a time in seconds, as returned by Unix.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 Unix.mktime, and then restore the original value of TZ.
val localtime : float -> tm
Convert a time in seconds, as returned by Unix.time, into a date and a time. Assumes the local time zone. The function performing the inverse conversion is Unix.mktime.
val mktime : tm -> float * tm
Convert a date and time, specified by the tm argument, into a time in seconds, as returned by Unix.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
val times : unit -> process_times
Return the execution times of the process. On Windows, it is 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.


User id, group id

val getuid : unit -> int
Return the user id of the user executing the process. On Windows, always return 1.
val geteuid : unit -> int
Return the effective user id under which the process runs. On Windows, always return 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 return 1.
val getegid : unit -> int
Return the effective group id under which the process runs. On Windows, always return 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 return [|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.
Raises Not_found if no such entry exist.

On Windows, always raise Not_found.

val getgrnam : string -> group_entry
Find an entry in group with the given name.
Raises Not_found if no such entry exist.

On Windows, always raise Not_found.

val getpwuid : int -> passwd_entry
Find an entry in passwd with the given user id.
Raises Not_found if no such entry exist.

On Windows, always raise Not_found.

val getgrgid : int -> group_entry
Find an entry in group with the given group id.
Raises Not_found if no such entry exist.

On Windows, always raise Not_found.


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.
Raises 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 Unix.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).

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). Windows does not support PF_UNIX.
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: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 Unix.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:bool ->
socket_domain ->
socket_type -> int -> file_descr * file_descr
Create a pair of unnamed sockets, connected together. See Unix.set_close_on_exec for documentation on the cloexec optional argument.
val accept : ?cloexec: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 Unix.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 (* *)
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

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
*)
The socket options that can be consulted with Unix.getsockopt and modified with Unix.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 Unix.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 Unix.getsockopt_int and modified with Unix.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 Unix.getsockopt_optint and modified with Unix.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 Unix.getsockopt_float and modified with Unix.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 Unix.getsockopt for an integer-valued socket option.
val setsockopt_int : file_descr -> socket_int_option -> int -> unit
Same as Unix.setsockopt for an integer-valued socket option.
val getsockopt_optint : file_descr -> socket_optint_option -> int option
Same as Unix.getsockopt for a socket option whose value is an int option.
val setsockopt_optint : file_descr -> socket_optint_option -> int option -> unit
Same as Unix.setsockopt for a socket option whose value is an int option.
val getsockopt_float : file_descr -> socket_float_option -> float
Same as Unix.getsockopt for a socket option whose value is a floating-point number.
val setsockopt_float : file_descr -> socket_float_option -> float -> unit
Same as Unix.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.

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 flush on the output channel at the right times to ensure correct synchronization.
val shutdown_connection : in_channel -> unit
``Shut down'' a connection established with Unix.open_connection; that is, transmit an end-of-file condition to the server reading on the other side of the connection. This does not fully close the file descriptor associated with the channel, which you must remember to free via close_in.
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 Unix.establish_server never returns normally.

On Windows, it is not implemented. Use threads.


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.
Raises Not_found if no such entry exist.
val gethostbyaddr : inet_addr -> host_entry
Find an entry in hosts with the given address.
Raises Not_found if no such entry exist.
val getprotobyname : string -> protocol_entry
Find an entry in protocols with the given name.
Raises Not_found if no such entry exist.
val getprotobynumber : int -> protocol_entry
Find an entry in protocols with the given protocol number.
Raises Not_found if no such entry exist.
val getservbyname : string -> string -> service_entry
Find an entry in services with the given name.
Raises Not_found if no such entry exist.
val getservbyport : int -> string -> service_entry
Find an entry in services with the given service number.
Raises Not_found if no such entry exist.
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 Unix.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 Unix.bind
*)
Options to Unix.getaddrinfo.
val getaddrinfo : string -> string -> getaddrinfo_option list -> addr_info list
getaddrinfo host service opts returns a list of Unix.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 Unix.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 Unix.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.
Raises Not_found if an error occurs.

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 = {
   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.
*)
   mutable c_opost : bool; (*
Enable output processing.
*)
   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.
*)
   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.
*)
   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-doc-4.05/ocaml.html/libref/Identifiable.S.Map.html0000644000175000017500000002675113131636451021737 0ustar mehdimehdi Identifiable.S.Map

Module Identifiable.S.Map

module Map: sig .. end

include Map.S
val filter_map : 'a Identifiable.S.t -> f:(key -> 'a -> 'b option) -> 'b Identifiable.S.t
val of_list : (key * 'a) list -> 'a Identifiable.S.t
val disjoint_union : ?eq:('a -> 'a -> bool) ->
?print:(Format.formatter -> 'a -> unit) ->
'a Identifiable.S.t -> 'a Identifiable.S.t -> 'a Identifiable.S.t
disjoint_union m1 m2 contains all bindings from m1 and m2. If some binding is present in both and the associated value is not equal, a Fatal_error is raised
val union_right : 'a Identifiable.S.t -> 'a Identifiable.S.t -> 'a Identifiable.S.t
union_right m1 m2 contains all bindings from m1 and m2. If some binding is present in both, the one from m2 is taken
val union_left : 'a Identifiable.S.t -> 'a Identifiable.S.t -> 'a Identifiable.S.t
union_left m1 m2 = union_right m2 m1
val union_merge : ('a -> 'a -> 'a) ->
'a Identifiable.S.t -> 'a Identifiable.S.t -> 'a Identifiable.S.t
val rename : key Identifiable.S.t -> key -> key
val map_keys : (key -> key) -> 'a Identifiable.S.t -> 'a Identifiable.S.t
val keys : 'a Identifiable.S.t -> Identifiable.S.Set.t
val data : 'a Identifiable.S.t -> 'a list
val of_set : (key -> 'a) -> Identifiable.S.Set.t -> 'a Identifiable.S.t
val transpose_keys_and_data : key Identifiable.S.t -> key Identifiable.S.t
val transpose_keys_and_data_set : key Identifiable.S.t -> Identifiable.S.Set.t Identifiable.S.t
val print : (Format.formatter -> 'a -> unit) ->
Format.formatter -> 'a Identifiable.S.t -> unit
ocaml-doc-4.05/ocaml.html/libref/Ast_helper.Val.html0000644000175000017500000001724513131636441021247 0ustar mehdimehdi Ast_helper.Val

Module Ast_helper.Val

module Val: sig .. end
Value declarations

val mk : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
?docs:Docstrings.docs ->
?prim:string list ->
Ast_helper.str -> Parsetree.core_type -> Parsetree.value_description
ocaml-doc-4.05/ocaml.html/libref/type_Ast_helper.Cf.html0000644000175000017500000003054513131636441022114 0ustar mehdimehdi Ast_helper.Cf sig
  val mk :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    ?docs:Docstrings.docs ->
    Parsetree.class_field_desc -> Parsetree.class_field
  val attr :
    Parsetree.class_field -> Parsetree.attribute -> Parsetree.class_field
  val inherit_ :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Asttypes.override_flag ->
    Parsetree.class_expr -> Ast_helper.str option -> Parsetree.class_field
  val val_ :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Ast_helper.str ->
    Asttypes.mutable_flag ->
    Parsetree.class_field_kind -> Parsetree.class_field
  val method_ :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Ast_helper.str ->
    Asttypes.private_flag ->
    Parsetree.class_field_kind -> Parsetree.class_field
  val constraint_ :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Parsetree.core_type -> Parsetree.core_type -> Parsetree.class_field
  val initializer_ :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs -> Parsetree.expression -> Parsetree.class_field
  val extension :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs -> Parsetree.extension -> Parsetree.class_field
  val attribute :
    ?loc:Ast_helper.loc -> Parsetree.attribute -> Parsetree.class_field
  val text : Docstrings.text -> Parsetree.class_field list
  val virtual_ : Parsetree.core_type -> Parsetree.class_field_kind
  val concrete :
    Asttypes.override_flag ->
    Parsetree.expression -> Parsetree.class_field_kind
end
ocaml-doc-4.05/ocaml.html/libref/Hashtbl.SeededHashedType.html0000644000175000017500000002100313131636444023162 0ustar mehdimehdi Hashtbl.SeededHashedType

Module type Hashtbl.SeededHashedType

module type SeededHashedType = sig .. end
The input signature of the functor Hashtbl.MakeSeeded.
Since 4.00.0

type t 
The type of the hashtable keys.
val equal : t -> t -> bool
The equality predicate used to compare keys.
val hash : int -> t -> int
A seeded hashing function on keys. The first argument is the seed. It must be the case that if equal x y is true, then hash seed x = hash seed y for any value of seed. A suitable choice for hash is the function Hashtbl.seeded_hash below.
ocaml-doc-4.05/ocaml.html/libref/type_Identifiable.html0000644000175000017500000027426113131636445022067 0ustar mehdimehdi Identifiable sig
  module type Thing =
    sig
      type t
      val equal : t -> t -> bool
      val hash : t -> int
      val compare : t -> t -> int
      val output : Pervasives.out_channel -> Identifiable.Thing.t -> unit
      val print : Format.formatter -> Identifiable.Thing.t -> unit
    end
  module Pair :
    functor (A : Thing) (B : Thing->
      sig
        type t = A.t * B.t
        val equal : t -> t -> bool
        val hash : t -> int
        val compare : t -> t -> int
        val output : out_channel -> t -> unit
        val print : Format.formatter -> t -> unit
      end
  module type S =
    sig
      type t
      module T :
        sig
          type t = t
          val equal : t -> t -> bool
          val hash : t -> int
          val compare : t -> t -> int
          val output : out_channel -> t -> unit
          val print : Format.formatter -> t -> unit
        end
      val equal : T.t -> T.t -> bool
      val hash : T.t -> int
      val compare : T.t -> T.t -> int
      val output : out_channel -> T.t -> unit
      val print : Format.formatter -> T.t -> unit
      module Set :
        sig
          type elt = T.t
          type t = Set.Make(T).t
          val empty : t
          val is_empty : t -> bool
          val mem : elt -> t -> bool
          val add : elt -> t -> t
          val singleton : elt -> t
          val remove : elt -> t -> t
          val union : t -> t -> t
          val inter : t -> t -> t
          val diff : t -> t -> t
          val compare : t -> t -> int
          val equal : t -> t -> bool
          val subset : t -> t -> bool
          val iter : (elt -> unit) -> t -> unit
          val fold : (elt -> '-> 'a) -> t -> '-> 'a
          val for_all : (elt -> bool) -> t -> bool
          val exists : (elt -> bool) -> t -> bool
          val filter : (elt -> bool) -> t -> t
          val partition : (elt -> bool) -> t -> t * t
          val cardinal : t -> int
          val elements : t -> elt list
          val min_elt : t -> elt
          val min_elt_opt : t -> elt option
          val max_elt : t -> elt
          val max_elt_opt : t -> elt option
          val choose : t -> elt
          val choose_opt : t -> elt option
          val split : elt -> t -> t * bool * t
          val find : elt -> t -> elt
          val find_opt : elt -> t -> elt option
          val find_first : (elt -> bool) -> t -> elt
          val find_first_opt : (elt -> bool) -> t -> elt option
          val find_last : (elt -> bool) -> t -> elt
          val find_last_opt : (elt -> bool) -> t -> elt option
          val output : Pervasives.out_channel -> Identifiable.S.t -> unit
          val print : Format.formatter -> Identifiable.S.t -> unit
          val to_string : Identifiable.S.t -> string
          val of_list : elt list -> Identifiable.S.t
          val map : (elt -> elt) -> Identifiable.S.t -> Identifiable.S.t
        end
      module Map :
        sig
          type key = T.t
          type 'a t = 'Map.Make(T).t
          val empty : 'a t
          val is_empty : 'a t -> bool
          val mem : key -> 'a t -> bool
          val add : key -> '-> 'a t -> 'a t
          val singleton : key -> '-> 'a t
          val remove : key -> 'a t -> 'a t
          val merge :
            (key -> 'a option -> 'b option -> 'c option) ->
            'a t -> 'b t -> 'c t
          val union : (key -> '-> '-> 'a option) -> 'a t -> 'a t -> 'a t
          val compare : ('-> '-> int) -> 'a t -> 'a t -> int
          val equal : ('-> '-> bool) -> 'a t -> 'a t -> bool
          val iter : (key -> '-> unit) -> 'a t -> unit
          val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
          val for_all : (key -> '-> bool) -> 'a t -> bool
          val exists : (key -> '-> bool) -> 'a t -> bool
          val filter : (key -> '-> bool) -> 'a t -> 'a t
          val partition : (key -> '-> bool) -> 'a t -> 'a t * 'a t
          val cardinal : 'a t -> int
          val bindings : 'a t -> (key * 'a) list
          val min_binding : 'a t -> key * 'a
          val min_binding_opt : 'a t -> (key * 'a) option
          val max_binding : 'a t -> key * 'a
          val max_binding_opt : 'a t -> (key * 'a) option
          val choose : 'a t -> key * 'a
          val choose_opt : 'a t -> (key * 'a) option
          val split : key -> 'a t -> 'a t * 'a option * 'a t
          val find : key -> 'a t -> 'a
          val find_opt : key -> 'a t -> 'a option
          val find_first : (key -> bool) -> 'a t -> key * 'a
          val find_first_opt : (key -> bool) -> 'a t -> (key * 'a) option
          val find_last : (key -> bool) -> 'a t -> key * 'a
          val find_last_opt : (key -> bool) -> 'a t -> (key * 'a) option
          val map : ('-> 'b) -> 'a t -> 'b t
          val mapi : (key -> '-> 'b) -> 'a t -> 'b t
          val filter_map :
            'Identifiable.S.t ->
            f:(key -> '-> 'b option) -> 'Identifiable.S.t
          val of_list : (key * 'a) list -> 'Identifiable.S.t
          val disjoint_union :
            ?eq:('-> '-> bool) ->
            ?print:(Format.formatter -> '-> unit) ->
            'Identifiable.S.t -> 'Identifiable.S.t -> 'Identifiable.S.t
          val union_right :
            'Identifiable.S.t -> 'Identifiable.S.t -> 'Identifiable.S.t
          val union_left :
            'Identifiable.S.t -> 'Identifiable.S.t -> 'Identifiable.S.t
          val union_merge :
            ('-> '-> 'a) ->
            'Identifiable.S.t -> 'Identifiable.S.t -> 'Identifiable.S.t
          val rename : key Identifiable.S.t -> key -> key
          val map_keys :
            (key -> key) -> 'Identifiable.S.t -> 'Identifiable.S.t
          val keys : 'Identifiable.S.t -> Identifiable.S.Set.t
          val data : 'Identifiable.S.t -> 'a list
          val of_set :
            (key -> 'a) -> Identifiable.S.Set.t -> 'Identifiable.S.t
          val transpose_keys_and_data :
            key Identifiable.S.t -> key Identifiable.S.t
          val transpose_keys_and_data_set :
            key Identifiable.S.t -> Identifiable.S.Set.t Identifiable.S.t
          val print :
            (Format.formatter -> '-> unit) ->
            Format.formatter -> 'Identifiable.S.t -> unit
        end
      module Tbl :
        sig
          type key = T.t
          type 'a t = 'Hashtbl.Make(T).t
          val create : int -> 'a t
          val clear : 'a t -> unit
          val reset : 'a t -> unit
          val copy : 'a t -> 'a t
          val add : 'a t -> key -> '-> unit
          val remove : 'a t -> key -> unit
          val find : 'a t -> key -> 'a
          val find_opt : 'a t -> key -> 'a option
          val find_all : 'a t -> key -> 'a list
          val replace : 'a t -> key -> '-> unit
          val mem : 'a t -> key -> bool
          val iter : (key -> '-> unit) -> 'a t -> unit
          val filter_map_inplace : (key -> '-> 'a option) -> 'a t -> unit
          val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
          val length : 'a t -> int
          val stats : 'a t -> Hashtbl.statistics
          val to_list : 'Identifiable.S.t -> (Identifiable.S.T.t * 'a) list
          val of_list : (Identifiable.S.T.t * 'a) list -> 'Identifiable.S.t
          val to_map : 'Identifiable.S.t -> 'Identifiable.S.Map.t
          val of_map : 'Identifiable.S.Map.t -> 'Identifiable.S.t
          val memoize : 'Identifiable.S.t -> (key -> 'a) -> key -> 'a
          val map : 'Identifiable.S.t -> ('-> 'b) -> 'Identifiable.S.t
        end
    end
  module Make :
    functor (T : Thing->
      sig
        module T :
          sig
            type t = T.t
            val equal : t -> t -> bool
            val hash : t -> int
            val compare : t -> t -> int
            val output : out_channel -> t -> unit
            val print : Format.formatter -> t -> unit
          end
        val equal : T.t -> T.t -> bool
        val hash : T.t -> int
        val compare : T.t -> T.t -> int
        val output : out_channel -> T.t -> unit
        val print : Format.formatter -> T.t -> unit
        module Set :
          sig
            type elt = T.t
            type t = Set.Make(T).t
            val empty : t
            val is_empty : t -> bool
            val mem : elt -> t -> bool
            val add : elt -> t -> t
            val singleton : elt -> t
            val remove : elt -> t -> t
            val union : t -> t -> t
            val inter : t -> t -> t
            val diff : t -> t -> t
            val compare : t -> t -> int
            val equal : t -> t -> bool
            val subset : t -> t -> bool
            val iter : (elt -> unit) -> t -> unit
            val fold : (elt -> '-> 'a) -> t -> '-> 'a
            val for_all : (elt -> bool) -> t -> bool
            val exists : (elt -> bool) -> t -> bool
            val filter : (elt -> bool) -> t -> t
            val partition : (elt -> bool) -> t -> t * t
            val cardinal : t -> int
            val elements : t -> elt list
            val min_elt : t -> elt
            val min_elt_opt : t -> elt option
            val max_elt : t -> elt
            val max_elt_opt : t -> elt option
            val choose : t -> elt
            val choose_opt : t -> elt option
            val split : elt -> t -> t * bool * t
            val find : elt -> t -> elt
            val find_opt : elt -> t -> elt option
            val find_first : (elt -> bool) -> t -> elt
            val find_first_opt : (elt -> bool) -> t -> elt option
            val find_last : (elt -> bool) -> t -> elt
            val find_last_opt : (elt -> bool) -> t -> elt option
            val output : out_channel -> t -> unit
            val print : Format.formatter -> t -> unit
            val to_string : t -> string
            val of_list : elt list -> t
            val map : (elt -> elt) -> t -> t
          end
        module Map :
          sig
            type key = T.t
            type 'a t = 'Map.Make(T).t
            val empty : 'a t
            val is_empty : 'a t -> bool
            val mem : key -> 'a t -> bool
            val add : key -> '-> 'a t -> 'a t
            val singleton : key -> '-> 'a t
            val remove : key -> 'a t -> 'a t
            val merge :
              (key -> 'a option -> 'b option -> 'c option) ->
              'a t -> 'b t -> 'c t
            val union :
              (key -> '-> '-> 'a option) -> 'a t -> 'a t -> 'a t
            val compare : ('-> '-> int) -> 'a t -> 'a t -> int
            val equal : ('-> '-> bool) -> 'a t -> 'a t -> bool
            val iter : (key -> '-> unit) -> 'a t -> unit
            val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
            val for_all : (key -> '-> bool) -> 'a t -> bool
            val exists : (key -> '-> bool) -> 'a t -> bool
            val filter : (key -> '-> bool) -> 'a t -> 'a t
            val partition : (key -> '-> bool) -> 'a t -> 'a t * 'a t
            val cardinal : 'a t -> int
            val bindings : 'a t -> (key * 'a) list
            val min_binding : 'a t -> key * 'a
            val min_binding_opt : 'a t -> (key * 'a) option
            val max_binding : 'a t -> key * 'a
            val max_binding_opt : 'a t -> (key * 'a) option
            val choose : 'a t -> key * 'a
            val choose_opt : 'a t -> (key * 'a) option
            val split : key -> 'a t -> 'a t * 'a option * 'a t
            val find : key -> 'a t -> 'a
            val find_opt : key -> 'a t -> 'a option
            val find_first : (key -> bool) -> 'a t -> key * 'a
            val find_first_opt : (key -> bool) -> 'a t -> (key * 'a) option
            val find_last : (key -> bool) -> 'a t -> key * 'a
            val find_last_opt : (key -> bool) -> 'a t -> (key * 'a) option
            val map : ('-> 'b) -> 'a t -> 'b t
            val mapi : (key -> '-> 'b) -> 'a t -> 'b t
            val filter_map : 'a t -> f:(key -> '-> 'b option) -> 'b t
            val of_list : (key * 'a) list -> 'a t
            val disjoint_union :
              ?eq:('-> '-> bool) ->
              ?print:(Format.formatter -> '-> unit) -> 'a t -> 'a t -> 'a t
            val union_right : 'a t -> 'a t -> 'a t
            val union_left : 'a t -> 'a t -> 'a t
            val union_merge : ('-> '-> 'a) -> 'a t -> 'a t -> 'a t
            val rename : key t -> key -> key
            val map_keys : (key -> key) -> 'a t -> 'a t
            val keys : 'a t -> Set.t
            val data : 'a t -> 'a list
            val of_set : (key -> 'a) -> Set.t -> 'a t
            val transpose_keys_and_data : key t -> key t
            val transpose_keys_and_data_set : key t -> Set.t t
            val print :
              (Format.formatter -> '-> unit) ->
              Format.formatter -> 'a t -> unit
          end
        module Tbl :
          sig
            type key = T.t
            type 'a t = 'Hashtbl.Make(T).t
            val create : int -> 'a t
            val clear : 'a t -> unit
            val reset : 'a t -> unit
            val copy : 'a t -> 'a t
            val add : 'a t -> key -> '-> unit
            val remove : 'a t -> key -> unit
            val find : 'a t -> key -> 'a
            val find_opt : 'a t -> key -> 'a option
            val find_all : 'a t -> key -> 'a list
            val replace : 'a t -> key -> '-> unit
            val mem : 'a t -> key -> bool
            val iter : (key -> '-> unit) -> 'a t -> unit
            val filter_map_inplace : (key -> '-> 'a option) -> 'a t -> unit
            val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
            val length : 'a t -> int
            val stats : 'a t -> Hashtbl.statistics
            val to_list : 'a t -> (T.t * 'a) list
            val of_list : (T.t * 'a) list -> 'a t
            val to_map : 'a t -> 'Map.t
            val of_map : 'Map.t -> 'a t
            val memoize : 'a t -> (key -> 'a) -> key -> 'a
            val map : 'a t -> ('-> 'b) -> 'b t
          end
      end
end
ocaml-doc-4.05/ocaml.html/libref/type_Random.State.html0000644000175000017500000002210713131636450021771 0ustar mehdimehdi Random.State sig
  type t
  val make : int array -> Random.State.t
  val make_self_init : unit -> Random.State.t
  val copy : Random.State.t -> Random.State.t
  val bits : Random.State.t -> int
  val int : Random.State.t -> int -> int
  val int32 : Random.State.t -> Int32.t -> Int32.t
  val nativeint : Random.State.t -> Nativeint.t -> Nativeint.t
  val int64 : Random.State.t -> Int64.t -> Int64.t
  val float : Random.State.t -> float -> float
  val bool : Random.State.t -> bool
end
ocaml-doc-4.05/ocaml.html/libref/Num.html0000644000175000017500000005767513131636447017220 0ustar mehdimehdi Num

Module Num

module Num: sig .. end
Operation on arbitrary-precision numbers.

Numbers (type num) are arbitrary-precision rational numbers, plus the special elements 1/0 (infinity) and 0/0 (undefined).


type num = 
| Int of int
| Big_int of Big_int.big_int
| Ratio of Ratio.ratio
The type of numbers.

Arithmetic operations

val (+/) : num -> num -> num
Same as Num.add_num.
val add_num : num -> num -> num
Addition
val minus_num : num -> num
Unary negation.
val (-/) : num -> num -> num
Same as Num.sub_num.
val sub_num : num -> num -> num
Subtraction
val ( */ ) : num -> num -> num
Same as Num.mult_num.
val mult_num : num -> num -> num
Multiplication
val square_num : num -> num
Squaring
val (//) : num -> num -> num
Same as Num.div_num.
val div_num : num -> num -> num
Division
val quo_num : num -> num -> num
Euclidean division: quotient.
val mod_num : num -> num -> num
Euclidean division: remainder.
val ( **/ ) : num -> num -> num
Same as Num.power_num.
val power_num : num -> num -> num
Exponentiation
val abs_num : num -> num
Absolute value.
val succ_num : num -> num
succ n is n+1
val pred_num : num -> num
pred n is n-1
val incr_num : num ref -> unit
incr r is r:=!r+1, where r is a reference to a number.
val decr_num : num ref -> unit
decr r is r:=!r-1, where r is a reference to a number.
val is_integer_num : num -> bool
Test if a number is an integer

The four following functions approximate a number by an integer :
val integer_num : num -> num
integer_num n returns the integer closest to n. In case of ties, rounds towards zero.
val floor_num : num -> num
floor_num n returns the largest integer smaller or equal to n.
val round_num : num -> num
round_num n returns the integer closest to n. In case of ties, rounds off zero.
val ceiling_num : num -> num
ceiling_num n returns the smallest integer bigger or equal to n.
val sign_num : num -> int
Return -1, 0 or 1 according to the sign of the argument.

Comparisons between numbers

val (=/) : num -> num -> bool
val (</) : num -> num -> bool
val (>/) : num -> num -> bool
val (<=/) : num -> num -> bool
val (>=/) : num -> num -> bool
val (<>/) : num -> num -> bool
val eq_num : num -> num -> bool
val lt_num : num -> num -> bool
val le_num : num -> num -> bool
val gt_num : num -> num -> bool
val ge_num : num -> num -> bool
val compare_num : num -> num -> int
Return -1, 0 or 1 if the first argument is less than, equal to, or greater than the second argument.
val max_num : num -> num -> num
Return the greater of the two arguments.
val min_num : num -> num -> num
Return the smaller of the two arguments.

Coercions with strings

val string_of_num : num -> string
Convert a number to a string, using fractional notation.
val approx_num_fix : int -> num -> string
See Num.approx_num_exp.
val approx_num_exp : int -> num -> string
Approximate a number by a decimal. The first argument is the required precision. The second argument is the number to approximate. Num.approx_num_fix uses decimal notation; the first argument is the number of digits after the decimal point. approx_num_exp uses scientific (exponential) notation; the first argument is the number of digits in the mantissa.
val num_of_string : string -> num
Convert a string to a number. Raise Failure "num_of_string" if the given string is not a valid representation of an integer
val num_of_string_opt : string -> num option
Convert a string to a number. Return None if the given string is not a valid representation of an integer.
Since 4.05

Coercions between numerical types

val int_of_num : num -> int
val int_of_num_opt : num -> int option
Since 4.05.0
val num_of_int : int -> num
val nat_of_num : num -> Nat.nat
val nat_of_num_opt : num -> Nat.nat option
Since 4.05.0
val num_of_nat : Nat.nat -> num
val num_of_big_int : Big_int.big_int -> num
val big_int_of_num : num -> Big_int.big_int
val big_int_of_num_opt : num -> Big_int.big_int option
Since 4.05.0
val ratio_of_num : num -> Ratio.ratio
val num_of_ratio : Ratio.ratio -> num
val float_of_num : num -> float
ocaml-doc-4.05/ocaml.html/libref/StringLabels.html0000644000175000017500000007512613131636451021034 0ustar mehdimehdi StringLabels

Module StringLabels

module StringLabels: sig .. end
String operations.

val length : string -> int
Return the length (number of characters) of the given string.
val get : string -> int -> char
String.get s n returns the character at index n in string s. You can also write s.[n] instead of String.get s n.

Raise Invalid_argument if n not a valid index in s.

val set : bytes -> int -> char -> unit
Deprecated.This is a deprecated alias of BytesLabels.set.
String.set s n c modifies byte sequence s in place, replacing the byte at index n with c. You can also write s.[n] <- c instead of String.set s n c.

Raise Invalid_argument if n is not a valid index in s.

val create : int -> bytes
Deprecated.This is a deprecated alias of BytesLabels.create.
String.create n returns a fresh byte sequence of length n. The sequence is uninitialized and contains arbitrary bytes.

Raise Invalid_argument if n < 0 or n > Sys.max_string_length.

val make : int -> char -> string
String.make n c returns a fresh string of length n, filled with the character c.

Raise Invalid_argument if n < 0 or n > Sys.max_string_length.

val init : int -> f:(int -> char) -> string
init n f returns a string of length n, with character i initialized to the result of f i.

Raise Invalid_argument if n < 0 or n > Sys.max_string_length.
Since 4.02.0

val copy : string -> string
Return a copy of the given string.
val sub : string -> pos:int -> len:int -> string
String.sub s start len returns a fresh string of length len, containing the substring of s that starts at position start and has length len.

Raise Invalid_argument if start and len do not designate a valid substring of s.

val fill : bytes -> pos:int -> len:int -> char -> unit
Deprecated.This is a deprecated alias of BytesLabels.fill.
String.fill s start len c modifies byte sequence s in place, replacing len bytes by c, starting at start.

Raise Invalid_argument if start and len do not designate a valid substring of s.

val blit : src:string -> src_pos:int -> dst:bytes -> dst_pos:int -> len:int -> unit
String.blit src srcoff dst dstoff len copies len bytes from the string src, starting at index srcoff, to byte sequence dst, starting at character number dstoff.

Raise Invalid_argument if srcoff and len do not designate a valid range of src, or if dstoff and len do not designate a valid range of dst.

val concat : sep:string -> string list -> string
String.concat sep sl concatenates the list of strings sl, inserting the separator string sep between each.
val iter : f:(char -> unit) -> string -> unit
String.iter f s applies function f in turn to all the characters of s. It is equivalent to f s.[0]; f s.[1]; ...; f s.[String.length s - 1]; ().
val iteri : f:(int -> char -> unit) -> string -> unit
Same as String.iter, but the function is applied to the index of the element as first argument (counting from 0), and the character itself as second argument.
Since 4.00.0
val map : f:(char -> char) -> string -> string
String.map f s applies function f in turn to all the characters of s and stores the results in a new string that is returned.
Since 4.00.0
val mapi : f:(int -> char -> char) -> string -> string
String.mapi f s calls f with each character of s and its index (in increasing index order) and stores the results in a new string that is returned.
Since 4.02.0
val trim : string -> string
Return a copy of the argument, without leading and trailing whitespace. The characters regarded as whitespace are: ' ', '\012', '\n', '\r', and '\t'. If there is no leading nor trailing whitespace character in the argument, return the original string itself, not a copy.
Since 4.00.0
val escaped : string -> string
Return a copy of the argument, with special characters represented by escape sequences, following the lexical conventions of OCaml. If there is no special character in the argument, return the original string itself, not a copy. Its inverse function is Scanf.unescaped.
val index : string -> char -> int
String.index s c returns the index of the first occurrence of character c in string s.

Raise Not_found if c does not occur in s.

val index_opt : string -> char -> int option
String.index_opt s c returns the index of the first occurrence of character c in string s, or None if c does not occur in s.
Since 4.05
val rindex : string -> char -> int
String.rindex s c returns the index of the last occurrence of character c in string s.

Raise Not_found if c does not occur in s.

val rindex_opt : string -> char -> int option
String.rindex_opt s c returns the index of the last occurrence of character c in string s, or None if c does not occur in s.
Since 4.05
val index_from : string -> int -> char -> int
String.index_from s i c returns the index of the first occurrence of character c in string s after position i. String.index s c is equivalent to String.index_from s 0 c.

Raise Invalid_argument if i is not a valid position in s. Raise Not_found if c does not occur in s after position i.

val index_from_opt : string -> int -> char -> int option
String.index_from_opt s i c returns the index of the first occurrence of character c in string s after position i or None if c does not occur in s after position i.

String.index_opt s c is equivalent to String.index_from_opt s 0 c. Raise Invalid_argument if i is not a valid position in s.
Since 4.05

val rindex_from : string -> int -> char -> int
String.rindex_from s i c returns the index of the last occurrence of character c in string s before position i+1. String.rindex s c is equivalent to String.rindex_from s (String.length s - 1) c.

Raise Invalid_argument if i+1 is not a valid position in s. Raise Not_found if c does not occur in s before position i+1.

val rindex_from_opt : string -> int -> char -> int option
String.rindex_from_opt s i c returns the index of the last occurrence of character c in string s before position i+1 or None if c does not occur in s before position i+1.

String.rindex_opt s c is equivalent to String.rindex_from_opt s (String.length s - 1) c.

Raise Invalid_argument if i+1 is not a valid position in s.
Since 4.05

val contains : string -> char -> bool
String.contains s c tests if character c appears in the string s.
val contains_from : string -> int -> char -> bool
String.contains_from s start c tests if character c appears in s after position start. String.contains s c is equivalent to String.contains_from s 0 c.

Raise Invalid_argument if start is not a valid position in s.

val rcontains_from : string -> int -> char -> bool
String.rcontains_from s stop c tests if character c appears in s before position stop+1.

Raise Invalid_argument if stop < 0 or stop+1 is not a valid position in s.

val uppercase : string -> string
Deprecated.Functions operating on Latin-1 character set are deprecated.
Return a copy of the argument, with all lowercase letters translated to uppercase, including accented letters of the ISO Latin-1 (8859-1) character set.
val lowercase : string -> string
Deprecated.Functions operating on Latin-1 character set are deprecated.
Return a copy of the argument, with all uppercase letters translated to lowercase, including accented letters of the ISO Latin-1 (8859-1) character set.
val capitalize : string -> string
Deprecated.Functions operating on Latin-1 character set are deprecated.
Return a copy of the argument, with the first character set to uppercase, using the ISO Latin-1 (8859-1) character set..
val uncapitalize : string -> string
Deprecated.Functions operating on Latin-1 character set are deprecated.
Return a copy of the argument, with the first character set to lowercase, using the ISO Latin-1 (8859-1) character set..
val uppercase_ascii : string -> string
Return a copy of the argument, with all lowercase letters translated to uppercase, using the US-ASCII character set.
Since 4.05.0
val lowercase_ascii : string -> string
Return a copy of the argument, with all uppercase letters translated to lowercase, using the US-ASCII character set.
Since 4.05.0
val capitalize_ascii : string -> string
Return a copy of the argument, with the first character set to uppercase, using the US-ASCII character set.
Since 4.05.0
val uncapitalize_ascii : string -> string
Return a copy of the argument, with the first character set to lowercase, using the US-ASCII character set.
Since 4.05.0
type t = string 
An alias for the type of strings.
val compare : t -> t -> int
The comparison function for strings, with the same specification as compare. Along with the type t, this function compare allows the module String to be passed as argument to the functors Set.Make and Map.Make.
val equal : t -> t -> bool
The equal function for strings.
Since 4.05.0
val split_on_char : sep:char -> string -> string list
String.split_on_char sep s returns the list of all (possibly empty) substrings of s that are delimited by the sep character.

The function's output is specified by the following invariants:


Since 4.05.0
ocaml-doc-4.05/ocaml.html/libref/type_Identifiable.S.Set.html0000644000175000017500000003440013131636451023004 0ustar mehdimehdi Identifiable.S.Set sig
  type elt = T.t
  type t = Set.Make(T).t
  val empty : t
  val is_empty : t -> bool
  val mem : elt -> t -> bool
  val add : elt -> t -> t
  val singleton : elt -> t
  val remove : elt -> t -> t
  val union : t -> t -> t
  val inter : t -> t -> t
  val diff : t -> t -> t
  val compare : t -> t -> int
  val equal : t -> t -> bool
  val subset : t -> t -> bool
  val iter : (elt -> unit) -> t -> unit
  val fold : (elt -> '-> 'a) -> t -> '-> 'a
  val for_all : (elt -> bool) -> t -> bool
  val exists : (elt -> bool) -> t -> bool
  val filter : (elt -> bool) -> t -> t
  val partition : (elt -> bool) -> t -> t * t
  val cardinal : t -> int
  val elements : t -> elt list
  val min_elt : t -> elt
  val min_elt_opt : t -> elt option
  val max_elt : t -> elt
  val max_elt_opt : t -> elt option
  val choose : t -> elt
  val choose_opt : t -> elt option
  val split : elt -> t -> t * bool * t
  val find : elt -> t -> elt
  val find_opt : elt -> t -> elt option
  val find_first : (elt -> bool) -> t -> elt
  val find_first_opt : (elt -> bool) -> t -> elt option
  val find_last : (elt -> bool) -> t -> elt
  val find_last_opt : (elt -> bool) -> t -> elt option
  val output : Pervasives.out_channel -> Identifiable.S.t -> unit
  val print : Format.formatter -> Identifiable.S.t -> unit
  val to_string : Identifiable.S.t -> string
  val of_list : elt list -> Identifiable.S.t
  val map : (elt -> elt) -> Identifiable.S.t -> Identifiable.S.t
end
ocaml-doc-4.05/ocaml.html/libref/Ast_helper.Mod.html0000644000175000017500000002535013131636441021240 0ustar mehdimehdi Ast_helper.Mod

Module Ast_helper.Mod

module Mod: sig .. end
Module expressions

val mk : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Parsetree.module_expr_desc -> Parsetree.module_expr
val attr : Parsetree.module_expr -> Parsetree.attribute -> Parsetree.module_expr
val ident : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs -> Ast_helper.lid -> Parsetree.module_expr
val structure : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs -> Parsetree.structure -> Parsetree.module_expr
val functor_ : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Ast_helper.str ->
Parsetree.module_type option ->
Parsetree.module_expr -> Parsetree.module_expr
val apply : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Parsetree.module_expr -> Parsetree.module_expr -> Parsetree.module_expr
val constraint_ : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Parsetree.module_expr -> Parsetree.module_type -> Parsetree.module_expr
val unpack : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs -> Parsetree.expression -> Parsetree.module_expr
val extension : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs -> Parsetree.extension -> Parsetree.module_expr
ocaml-doc-4.05/ocaml.html/libref/Parsetree.html0000644000175000017500000033204113131636447020372 0ustar mehdimehdi Parsetree

Module Parsetree

module Parsetree: sig .. end
Abstract syntax tree produced by parsing

type constant = 
| Pconst_integer of string * char option
| Pconst_char of char
| Pconst_string of string * string option
| Pconst_float of string * char option

Extension points


type attribute = string Asttypes.loc * payload 
type extension = string Asttypes.loc * payload 
type attributes = attribute list 
type payload = 
| PStr of structure
| PSig of signature
| PTyp of core_type
| PPat of pattern * expression option

Core language


type core_type = {
   ptyp_desc : core_type_desc;
   ptyp_loc : Location.t;
   ptyp_attributes : attributes;
}
type core_type_desc = 
| Ptyp_any
| Ptyp_var of string
| Ptyp_arrow of Asttypes.arg_label * core_type * core_type
| Ptyp_tuple of core_type list
| Ptyp_constr of Longident.t Asttypes.loc * core_type list
| Ptyp_object of (string Asttypes.loc * attributes * core_type) list
* Asttypes.closed_flag
| Ptyp_class of Longident.t Asttypes.loc * core_type list
| Ptyp_alias of core_type * string
| Ptyp_variant of row_field list * Asttypes.closed_flag * Asttypes.label list option
| Ptyp_poly of string Asttypes.loc list * core_type
| Ptyp_package of package_type
| Ptyp_extension of extension
type package_type = Longident.t Asttypes.loc *
(Longident.t Asttypes.loc * core_type) list
type row_field = 
| Rtag of Asttypes.label * attributes * bool * core_type list
| Rinherit of core_type
type pattern = {
   ppat_desc : pattern_desc;
   ppat_loc : Location.t;
   ppat_attributes : attributes;
}
type pattern_desc = 
| Ppat_any
| Ppat_var of string Asttypes.loc
| Ppat_alias of pattern * string Asttypes.loc
| Ppat_constant of constant
| Ppat_interval of constant * constant
| Ppat_tuple of pattern list
| Ppat_construct of Longident.t Asttypes.loc * pattern option
| Ppat_variant of Asttypes.label * pattern option
| Ppat_record of (Longident.t Asttypes.loc * pattern) list * Asttypes.closed_flag
| Ppat_array of pattern list
| Ppat_or of pattern * pattern
| Ppat_constraint of pattern * core_type
| Ppat_type of Longident.t Asttypes.loc
| Ppat_lazy of pattern
| Ppat_unpack of string Asttypes.loc
| Ppat_exception of pattern
| Ppat_extension of extension
| Ppat_open of Longident.t Asttypes.loc * pattern
type expression = {
   pexp_desc : expression_desc;
   pexp_loc : Location.t;
   pexp_attributes : attributes;
}
type expression_desc = 
| Pexp_ident of Longident.t Asttypes.loc
| Pexp_constant of constant
| Pexp_let of Asttypes.rec_flag * value_binding list * expression
| Pexp_function of case list
| Pexp_fun of Asttypes.arg_label * expression option * pattern
* expression
| Pexp_apply of expression * (Asttypes.arg_label * expression) list
| Pexp_match of expression * case list
| Pexp_try of expression * case list
| Pexp_tuple of expression list
| Pexp_construct of Longident.t Asttypes.loc * expression option
| Pexp_variant of Asttypes.label * expression option
| Pexp_record of (Longident.t Asttypes.loc * expression) list
* expression option
| Pexp_field of expression * Longident.t Asttypes.loc
| Pexp_setfield of expression * Longident.t Asttypes.loc * expression
| Pexp_array of expression list
| Pexp_ifthenelse of expression * expression * expression option
| Pexp_sequence of expression * expression
| Pexp_while of expression * expression
| Pexp_for of pattern * expression * expression
* Asttypes.direction_flag * expression
| Pexp_constraint of expression * core_type
| Pexp_coerce of expression * core_type option * core_type
| Pexp_send of expression * string Asttypes.loc
| Pexp_new of Longident.t Asttypes.loc
| Pexp_setinstvar of string Asttypes.loc * expression
| Pexp_override of (string Asttypes.loc * expression) list
| Pexp_letmodule of string Asttypes.loc * module_expr * expression
| Pexp_letexception of extension_constructor * expression
| Pexp_assert of expression
| Pexp_lazy of expression
| Pexp_poly of expression * core_type option
| Pexp_object of class_structure
| Pexp_newtype of string Asttypes.loc * expression
| Pexp_pack of module_expr
| Pexp_open of Asttypes.override_flag * Longident.t Asttypes.loc * expression
| Pexp_extension of extension
| Pexp_unreachable
type case = {
   pc_lhs : pattern;
   pc_guard : expression option;
   pc_rhs : expression;
}
type value_description = {
   pval_name : string Asttypes.loc;
   pval_type : core_type;
   pval_prim : string list;
   pval_attributes : attributes;
   pval_loc : Location.t;
}
type type_declaration = {
   ptype_name : string Asttypes.loc;
   ptype_params : (core_type * Asttypes.variance) list;
   ptype_cstrs : (core_type * core_type * Location.t) list;
   ptype_kind : type_kind;
   ptype_private : Asttypes.private_flag;
   ptype_manifest : core_type option;
   ptype_attributes : attributes;
   ptype_loc : Location.t;
}
type type_kind = 
| Ptype_abstract
| Ptype_variant of constructor_declaration list
| Ptype_record of label_declaration list
| Ptype_open
type label_declaration = {
   pld_name : string Asttypes.loc;
   pld_mutable : Asttypes.mutable_flag;
   pld_type : core_type;
   pld_loc : Location.t;
   pld_attributes : attributes;
}
type constructor_declaration = {
   pcd_name : string Asttypes.loc;
   pcd_args : constructor_arguments;
   pcd_res : core_type option;
   pcd_loc : Location.t;
   pcd_attributes : attributes;
}
type constructor_arguments = 
| Pcstr_tuple of core_type list
| Pcstr_record of label_declaration list
type type_extension = {
   ptyext_path : Longident.t Asttypes.loc;
   ptyext_params : (core_type * Asttypes.variance) list;
   ptyext_constructors : extension_constructor list;
   ptyext_private : Asttypes.private_flag;
   ptyext_attributes : attributes;
}
type extension_constructor = {
   pext_name : string Asttypes.loc;
   pext_kind : extension_constructor_kind;
   pext_loc : Location.t;
   pext_attributes : attributes;
}
type extension_constructor_kind = 
| Pext_decl of constructor_arguments * core_type option
| Pext_rebind of Longident.t Asttypes.loc

Class language


type class_type = {
   pcty_desc : class_type_desc;
   pcty_loc : Location.t;
   pcty_attributes : attributes;
}
type class_type_desc = 
| Pcty_constr of Longident.t Asttypes.loc * core_type list
| Pcty_signature of class_signature
| Pcty_arrow of Asttypes.arg_label * core_type * class_type
| Pcty_extension of extension
type class_signature = {
   pcsig_self : core_type;
   pcsig_fields : class_type_field list;
}
type class_type_field = {
   pctf_desc : class_type_field_desc;
   pctf_loc : Location.t;
   pctf_attributes : attributes;
}
type class_type_field_desc = 
| Pctf_inherit of class_type
| Pctf_val of (string Asttypes.loc * Asttypes.mutable_flag * Asttypes.virtual_flag *
core_type)
| Pctf_method of (string Asttypes.loc * Asttypes.private_flag * Asttypes.virtual_flag *
core_type)
| Pctf_constraint of (core_type * core_type)
| Pctf_attribute of attribute
| Pctf_extension of extension
type 'a class_infos = {
   pci_virt : Asttypes.virtual_flag;
   pci_params : (core_type * Asttypes.variance) list;
   pci_name : string Asttypes.loc;
   pci_expr : 'a;
   pci_loc : Location.t;
   pci_attributes : attributes;
}
type class_description = class_type class_infos 
type class_type_declaration = class_type class_infos 
type class_expr = {
   pcl_desc : class_expr_desc;
   pcl_loc : Location.t;
   pcl_attributes : attributes;
}
type class_expr_desc = 
| Pcl_constr of Longident.t Asttypes.loc * core_type list
| Pcl_structure of class_structure
| Pcl_fun of Asttypes.arg_label * expression option * pattern
* class_expr
| Pcl_apply of class_expr * (Asttypes.arg_label * expression) list
| Pcl_let of Asttypes.rec_flag * value_binding list * class_expr
| Pcl_constraint of class_expr * class_type
| Pcl_extension of extension
type class_structure = {
   pcstr_self : pattern;
   pcstr_fields : class_field list;
}
type class_field = {
   pcf_desc : class_field_desc;
   pcf_loc : Location.t;
   pcf_attributes : attributes;
}
type class_field_desc = 
| Pcf_inherit of Asttypes.override_flag * class_expr * string Asttypes.loc option
| Pcf_val of (string Asttypes.loc * Asttypes.mutable_flag * class_field_kind)
| Pcf_method of (string Asttypes.loc * Asttypes.private_flag * class_field_kind)
| Pcf_constraint of (core_type * core_type)
| Pcf_initializer of expression
| Pcf_attribute of attribute
| Pcf_extension of extension
type class_field_kind = 
| Cfk_virtual of core_type
| Cfk_concrete of Asttypes.override_flag * expression
type class_declaration = class_expr class_infos 

Module language


type module_type = {
   pmty_desc : module_type_desc;
   pmty_loc : Location.t;
   pmty_attributes : attributes;
}
type module_type_desc = 
| Pmty_ident of Longident.t Asttypes.loc
| Pmty_signature of signature
| Pmty_functor of string Asttypes.loc * module_type option * module_type
| Pmty_with of module_type * with_constraint list
| Pmty_typeof of module_expr
| Pmty_extension of extension
| Pmty_alias of Longident.t Asttypes.loc
type signature = signature_item list 
type signature_item = {
   psig_desc : signature_item_desc;
   psig_loc : Location.t;
}
type signature_item_desc = 
| Psig_value of value_description
| Psig_type of Asttypes.rec_flag * type_declaration list
| Psig_typext of type_extension
| Psig_exception of extension_constructor
| Psig_module of module_declaration
| Psig_recmodule of module_declaration list
| Psig_modtype of module_type_declaration
| Psig_open of open_description
| Psig_include of include_description
| Psig_class of class_description list
| Psig_class_type of class_type_declaration list
| Psig_attribute of attribute
| Psig_extension of extension * attributes
type module_declaration = {
   pmd_name : string Asttypes.loc;
   pmd_type : module_type;
   pmd_attributes : attributes;
   pmd_loc : Location.t;
}
type module_type_declaration = {
   pmtd_name : string Asttypes.loc;
   pmtd_type : module_type option;
   pmtd_attributes : attributes;
   pmtd_loc : Location.t;
}
type open_description = {
   popen_lid : Longident.t Asttypes.loc;
   popen_override : Asttypes.override_flag;
   popen_loc : Location.t;
   popen_attributes : attributes;
}
type 'a include_infos = {
   pincl_mod : 'a;
   pincl_loc : Location.t;
   pincl_attributes : attributes;
}
type include_description = module_type include_infos 
type include_declaration = module_expr include_infos 
type with_constraint = 
| Pwith_type of Longident.t Asttypes.loc * type_declaration
| Pwith_module of Longident.t Asttypes.loc * Longident.t Asttypes.loc
| Pwith_typesubst of type_declaration
| Pwith_modsubst of string Asttypes.loc * Longident.t Asttypes.loc
type module_expr = {
   pmod_desc : module_expr_desc;
   pmod_loc : Location.t;
   pmod_attributes : attributes;
}
type module_expr_desc = 
| Pmod_ident of Longident.t Asttypes.loc
| Pmod_structure of structure
| Pmod_functor of string Asttypes.loc * module_type option * module_expr
| Pmod_apply of module_expr * module_expr
| Pmod_constraint of module_expr * module_type
| Pmod_unpack of expression
| Pmod_extension of extension
type structure = structure_item list 
type structure_item = {
   pstr_desc : structure_item_desc;
   pstr_loc : Location.t;
}
type structure_item_desc = 
| Pstr_eval of expression * attributes
| Pstr_value of Asttypes.rec_flag * value_binding list
| Pstr_primitive of value_description
| Pstr_type of Asttypes.rec_flag * type_declaration list
| Pstr_typext of type_extension
| Pstr_exception of extension_constructor
| Pstr_module of module_binding
| Pstr_recmodule of module_binding list
| Pstr_modtype of module_type_declaration
| Pstr_open of open_description
| Pstr_class of class_declaration list
| Pstr_class_type of class_type_declaration list
| Pstr_include of include_declaration
| Pstr_attribute of attribute
| Pstr_extension of extension * attributes
type value_binding = {
   pvb_pat : pattern;
   pvb_expr : expression;
   pvb_attributes : attributes;
   pvb_loc : Location.t;
}
type module_binding = {
   pmb_name : string Asttypes.loc;
   pmb_expr : module_expr;
   pmb_attributes : attributes;
   pmb_loc : Location.t;
}

Toplevel


type toplevel_phrase = 
| Ptop_def of structure
| Ptop_dir of string * directive_argument
type directive_argument = 
| Pdir_none
| Pdir_string of string
| Pdir_int of string * char option
| Pdir_ident of Longident.t
| Pdir_bool of bool
ocaml-doc-4.05/ocaml.html/libref/index_types.html0000644000175000017500000022030313131636452020764 0ustar mehdimehdi Index of types

Index of types


A
acc [CamlinternalFormat]
acc_formatting_gen [CamlinternalFormat]
access_permission [UnixLabels]
Flags for the UnixLabels.access call.
access_permission [Unix]
Flags for the Unix.access call.
addr_info [UnixLabels]
Address information returned by Unix.getaddrinfo.
addr_info [Unix]
Address information returned by Unix.getaddrinfo.
alarm [Gc]
An alarm is a piece of data that calls a user function at the end of each major GC cycle.
anon_fun [Arg]
arg_label [Asttypes]
attribute [Parsetree]
attributes [Parsetree]
attrs [Ast_helper]

B
backend_type [Sys]
Currently, the official distribution only supports Native and Bytecode, but it can be other backends with alternative compilers, for example, javascript.
backtrace_slot [Printexc]
The abstract type backtrace_slot represents a single slot of a backtrace.
big_int [Big_int]
The type of big integers.
block_type [CamlinternalFormatBasics]
bound_map [Depend]

C
c_layout [Bigarray]
case [Parsetree]
channel [Event]
The type of communication channels carrying values of type 'a.
char_set [CamlinternalFormatBasics]
class_declaration [Parsetree]
class_description [Parsetree]
class_expr [Parsetree]
class_expr_desc [Parsetree]
class_field [Parsetree]
class_field_desc [Parsetree]
class_field_kind [Parsetree]
class_infos [Parsetree]
class_signature [Parsetree]
class_structure [Parsetree]
class_type [Parsetree]
class_type_declaration [Parsetree]
class_type_desc [Parsetree]
class_type_field [Parsetree]
class_type_field_desc [Parsetree]
closed_flag [Asttypes]
closure [CamlinternalOO]
color [Misc.Color]
color [Graphics]
A color is specified by its R, G, B components.
compiler_pass [Timings]
complex32_elt [Bigarray]
complex64_elt [Bigarray]
component [Strongly_connected_components.S]
constant [Parsetree]
constant [Asttypes]
constructor_arguments [Parsetree]
constructor_declaration [Parsetree]
control [Gc]
The GC parameters are given as a control record.
core_type [Parsetree]
core_type_desc [Parsetree]
counter [CamlinternalFormatBasics]
custom_arity [CamlinternalFormatBasics]

D
data [Weak.S]
The type of the elements stored in the table.
dir_handle [UnixLabels]
The type of descriptors over opened directories.
dir_handle [Unix]
The type of descriptors over opened directories.
directed_graph [Strongly_connected_components.S]
If (a -> set) belongs to the map, it means that there are edges from a to every element of set.
direction_flag [Asttypes]
directive_argument [Parsetree]
doc [Arg]
docs [Docstrings]
docstring [Docstrings]
Documentation comments

E
elt [MoreLabels.Set.S]
elt [Set.S]
The type of the set elements.
equal [Ephemeron.GenHashTable]
error [UnixLabels]
The type of error codes.
error [Unix]
The type of error codes.
error [Syntaxerr]
error [Location]
error [Lexer]
error [Dynlink]
error [Attr_helper]
event [Graphics]
To specify events to wait for.
event [Event]
The type of communication events returning a result of type 'a.
expression [Parsetree]
expression_desc [Parsetree]
extension [Parsetree]
extension_constructor [Parsetree]
extension_constructor_kind [Parsetree]
extern_flags [Marshal]
The flags to the Marshal.to_* functions below.

F
file [Timings]
file_descr [UnixLabels]
The abstract type of file descriptors.
file_descr [Unix]
The abstract type of file descriptors.
file_kind [UnixLabels]
file_kind [Unix]
file_name [Scanf.Scanning]
A convenient alias to designate a file name.
file_perm [UnixLabels]
The type of file access rights, e.g.
file_perm [Unix]
The type of file access rights, e.g.
float32_elt [Bigarray]
float64_elt [Bigarray]
float_conv [CamlinternalFormatBasics]
flow_action [UnixLabels]
flow_action [Unix]
flush_queue [UnixLabels]
flush_queue [Unix]
fmt [CamlinternalFormatBasics]
List of format elements.
fmt_ebb [CamlinternalFormat]
fmtty [CamlinternalFormatBasics]
fmtty_rel [CamlinternalFormatBasics]
format [Pervasives]
format4 [Pervasives]
format6 [Pervasives]
format6 [CamlinternalFormatBasics]
formatter [Format]
Abstract data corresponding to a pretty-printer (also called a formatter) and all its machinery.
formatter_out_functions [Format]
formatter_tag_functions [Format]
The tag handling functions specific to a formatter: mark versions are the 'tag marking' functions that associate a string marker to a tag in order for the pretty-printing engine to flush those markers as 0 length tokens in the output device of the formatter.
formatting_gen [CamlinternalFormatBasics]
formatting_lit [CamlinternalFormatBasics]
fortran_layout [Bigarray]
To facilitate interoperability with existing C and Fortran code, this library supports two different memory layouts for big arrays, one compatible with the C conventions, the other compatible with the Fortran conventions.
fpclass [Pervasives]
The five classes of floating-point numbers, as determined by the classify_float function.

G
getaddrinfo_option [UnixLabels]
Options to Unix.getaddrinfo.
getaddrinfo_option [Unix]
Options to Unix.getaddrinfo.
getnameinfo_option [UnixLabels]
Options to Unix.getnameinfo.
getnameinfo_option [Unix]
Options to Unix.getnameinfo.
group_entry [UnixLabels]
Structure of entries in the groups database.
group_entry [Unix]
Structure of entries in the groups database.

H
heter_list [CamlinternalFormat]
hook_info [Misc]
host_entry [UnixLabels]
Structure of entries in the hosts database.
host_entry [Unix]
Structure of entries in the hosts database.

I
ignored [CamlinternalFormatBasics]
image [Graphics]
The abstract type for images, in internal representation.
impl [CamlinternalOO]
in_channel [Scanf.Scanning]
The notion of input channel for the Scanf module: those channels provide all the machinery necessary to read from any source of characters, including a in_channel value.
in_channel [Pervasives]
The type of input channel.
include_declaration [Parsetree]
include_description [Parsetree]
include_infos [Parsetree]
inet_addr [UnixLabels]
The abstract type of Internet addresses.
inet_addr [Unix]
The abstract type of Internet addresses.
info [Docstrings]
init_table [CamlinternalOO]
inlining_arguments [Clflags]
int16_signed_elt [Bigarray]
int16_unsigned_elt [Bigarray]
int32_elt [Bigarray]
int64_elt [Bigarray]
int8_signed_elt [Bigarray]
int8_unsigned_elt [Bigarray]
int_conv [CamlinternalFormatBasics]
int_elt [Bigarray]
interval_timer [UnixLabels]
The three kinds of interval timers.
interval_timer [Unix]
The three kinds of interval timers.
interval_timer_status [UnixLabels]
The type describing the status of an interval timer
interval_timer_status [Unix]
The type describing the status of an interval timer
iterator [Ast_iterator]
A iterator record implements one "method" per syntactic category, using an open recursion style: each method takes as its first argument the iterator to be applied to children in the syntax tree.

K
key [MoreLabels.Map.S]
key [MoreLabels.Hashtbl.SeededS]
key [MoreLabels.Hashtbl.S]
key [Hashtbl.SeededS]
key [Hashtbl.S]
key [Map.S]
The type of the map keys.
key [Arg]
kind [Bigarray]
To each element kind is associated an OCaml type, which is the type of OCaml values that can be stored in the big array or read back from it.

L
label [CamlinternalOO]
label [Asttypes]
label_declaration [Parsetree]
layout [Bigarray]
lexbuf [Lexing]
The type of lexer buffers.
lid [Ast_helper]
link_mode [Ccomp]
linking_error [Dynlink]
loc [Location]
loc [Asttypes]
loc [Ast_helper]
location [Printexc]
The type of location information found in backtraces.
lock_command [UnixLabels]
Commands for UnixLabels.lockf.
lock_command [Unix]
Commands for Unix.lockf.

M
map_tree [Depend]
mapper [Ast_mapper]
A mapper record implements one "method" per syntactic category, using an open recursion style: each method takes as its first argument the mapper to be applied to children in the syntax tree.
meth [CamlinternalOO]
module_binding [Parsetree]
module_declaration [Parsetree]
module_expr [Parsetree]
module_expr_desc [Parsetree]
module_type [Parsetree]
module_type_declaration [Parsetree]
module_type_desc [Parsetree]
msg_flag [UnixLabels]
msg_flag [Unix]
mutable_char_set [CamlinternalFormat]
mutable_flag [Asttypes]

N
name_info [UnixLabels]
Host and service information returned by Unix.getnameinfo.
name_info [Unix]
Host and service information returned by Unix.getnameinfo.
nativeint_elt [Bigarray]
num [Num]
The type of numbers.

O
obj [CamlinternalOO]
obj_t [Obj.Ephemeron]
alias for Obj.t
open_description [Parsetree]
open_flag [UnixLabels]
The flags to UnixLabels.openfile.
open_flag [Unix]
The flags to Unix.openfile.
open_flag [Pervasives]
Opening modes for open_out_gen and open_in_gen.
out_channel [Pervasives]
The type of output channel.
override_flag [Asttypes]

P
package_type [Parsetree]
pad_option [CamlinternalFormatBasics]
padding [CamlinternalFormatBasics]
padty [CamlinternalFormatBasics]
param_format_ebb [CamlinternalFormat]
params [CamlinternalOO]
parse_result [Clflags.Float_arg_helper]
parse_result [Clflags.Int_arg_helper]
parse_result [Arg_helper.Make]
parsed [Clflags.Float_arg_helper]
parsed [Clflags.Int_arg_helper]
parsed [Arg_helper.Make]
passwd_entry [UnixLabels]
Structure of entries in the passwd database.
passwd_entry [Unix]
Structure of entries in the passwd database.
pattern [Parsetree]
pattern_desc [Parsetree]
payload [Parsetree]
position [Lexing]
A value of type position describes a point in a source file.
prec_option [CamlinternalFormatBasics]
precision [CamlinternalFormatBasics]
private_flag [Asttypes]
process_status [UnixLabels]
The termination status of a process.
process_status [Unix]
The termination status of a process.
process_times [UnixLabels]
The execution times (CPU times) of a process.
process_times [Unix]
The execution times (CPU times) of a process.
protocol_entry [UnixLabels]
Structure of entries in the protocols database.
protocol_entry [Unix]
Structure of entries in the protocols database.

R
ratio [Ratio]
raw_backtrace [Printexc]
The abstract type raw_backtrace stores a backtrace in a low-level format, instead of directly exposing them as string as the get_backtrace() function does.
raw_backtrace_slot [Printexc]
This type allows direct access to raw backtrace slots, without any conversion in an OCaml-usable data-structure.
rec_flag [Asttypes]
ref [Pervasives]
The type of references (mutable indirection cells) containing a value of type 'a.
ref_and_value [Misc]
regexp [Str]
The type of compiled regular expressions.
repr [Targetint]
result [Pervasives]
row_field [Parsetree]

S
scanbuf [Scanf.Scanning]
The type of scanning buffers.
scanner [Scanf]
The type of formatted input scanners: ('a, 'b, 'c, 'd) scanner is the type of a formatted input function that reads from some formatted input channel according to some format string; more precisely, if scan is some formatted input function, then scan
    ic fmt f
applies f to all the arguments specified by format string fmt, when scan has read those arguments from the Scanf.Scanning.in_channel formatted input channel ic.
seek_command [UnixLabels]
Positioning modes for UnixLabels.lseek.
seek_command [Unix]
Positioning modes for Unix.lseek.
service_entry [UnixLabels]
Structure of entries in the services database.
service_entry [Unix]
Structure of entries in the services database.
setattr_when [UnixLabels]
setattr_when [Unix]
setting [Misc.Color]
shape [CamlinternalMod]
shutdown_command [UnixLabels]
The type of commands for shutdown.
shutdown_command [Unix]
The type of commands for shutdown.
signal_behavior [Sys]
What to do when receiving a signal: Signal_default: take the default behavior (usually: abort the program), Signal_ignore: ignore the signal, Signal_handle f: call function f, giving it the signal number as argument.
signature [Parsetree]
signature_item [Parsetree]
signature_item_desc [Parsetree]
sigprocmask_command [UnixLabels]
sigprocmask_command [Unix]
sockaddr [UnixLabels]
sockaddr [Unix]
socket_bool_option [UnixLabels]
The socket options that can be consulted with UnixLabels.getsockopt and modified with UnixLabels.setsockopt.
socket_bool_option [Unix]
The socket options that can be consulted with Unix.getsockopt and modified with Unix.setsockopt.
socket_domain [UnixLabels]
The type of socket domains.
socket_domain [Unix]
The type of socket domains.
socket_float_option [UnixLabels]
The socket options that can be consulted with UnixLabels.getsockopt_float and modified with UnixLabels.setsockopt_float.
socket_float_option [Unix]
The socket options that can be consulted with Unix.getsockopt_float and modified with Unix.setsockopt_float.
socket_int_option [UnixLabels]
The socket options that can be consulted with UnixLabels.getsockopt_int and modified with UnixLabels.setsockopt_int.
socket_int_option [Unix]
The socket options that can be consulted with Unix.getsockopt_int and modified with Unix.setsockopt_int.
socket_optint_option [UnixLabels]
The socket options that can be consulted with Unix.getsockopt_optint and modified with Unix.setsockopt_optint.
socket_optint_option [Unix]
The socket options that can be consulted with Unix.getsockopt_optint and modified with Unix.setsockopt_optint.
socket_type [UnixLabels]
The type of socket kinds, specifying the semantics of communications.
socket_type [Unix]
The type of socket kinds, specifying the semantics of communications.
source_provenance [Timings]
space_formatter [Pprintast]
spec [Arg]
The concrete type describing the behavior associated with a keyword.
split_result [Str]
stat [Gc]
The memory management counters are returned in a stat record.
state [Warnings]
statistics [MoreLabels.Hashtbl]
statistics [Hashtbl]
stats [UnixLabels.LargeFile]
stats [UnixLabels]
The information returned by the UnixLabels.stat calls.
stats [Unix.LargeFile]
stats [Unix]
The information returned by the Unix.stat calls.
stats [CamlinternalOO]
status [Terminfo]
status [Graphics]
To report events.
str [Ast_helper]
structure [Parsetree]
structure_item [Parsetree]
structure_item_desc [Parsetree]
style [Misc.Color]
styles [Misc.Color]

T
t [Weak.S]
The type of tables that contain elements of type data.
t [Weak]
The type of arrays of weak pointers (weak arrays).
t [Warnings]
t [Uchar]
The type for Unicode characters.
t [Thread]
The type of thread handles.
t [Tbl]
t [Targetint]
The type of target integers.
t [String]
An alias for the type of strings.
t [Stream]
The type of streams holding values of type 'a.
t [StringLabels]
An alias for the type of strings.
t [Stack]
The type of stacks containing elements of type 'a.
t [Spacetime.Series]
Type representing a file that will hold a series of heap snapshots together with additional information required to interpret those snapshots.
t [Random.State]
The type of PRNG states.
t [Queue]
The type of queues containing elements of type 'a.
t [Printexc.Slot]
t [Obj.Ephemeron]
an ephemeron cf Ephemeron
t [Obj]
t [Nativeint]
An alias for the type of native integers.
t [Mutex]
The type of mutexes.
t [Set.OrderedType]
The type of the set elements.
t [MoreLabels.Set.S]
t [MoreLabels.Map.S]
t [MoreLabels.Hashtbl.SeededS]
t [MoreLabels.Hashtbl.S]
t [MoreLabels.Hashtbl]
t [Misc.HookSig]
t [Misc.LongString]
t [Misc.Stdlib.Option]
t [Misc.Stdlib.List]
t [Map.OrderedType]
The type of the map keys.
t [Longident]
t [Location]
t [Lazy]
A value of type 'Lazy.t is a deferred computation, called a suspension, that has a result of type 'a.
t [Int64]
An alias for the type of 64-bit integers.
t [Int32]
An alias for the type of 32-bit integers.
t [Identifiable.S]
t [Identifiable.Thing]
t [Hashtbl.SeededHashedType]
The type of the hashtable keys.
t [Hashtbl.HashedType]
The type of the hashtable keys.
t [Hashtbl.SeededS]
t [Hashtbl.S]
t [Hashtbl]
The type of hash tables from type 'a to type 'b.
t [Ephemeron.Kn]
an ephemeron with an arbitrary number of keys of the same type
t [Ephemeron.K2]
an ephemeron with two keys
t [Ephemeron.K1]
an ephemeron with one key
t [Digest]
The type of digests: 16-character strings.
t [Map.S]
The type of maps from type key to type 'a.
t [Set.S]
The type of sets.
t [Consistbl]
t [Condition]
The type of condition variables.
t [Complex]
The type of complex numbers.
t [Char]
An alias for the type of characters.
t [CamlinternalOO]
t [BytesLabels]
An alias for the type of byte sequences.
t [Bytes]
An alias for the type of byte sequences.
t [Buffer]
The abstract type of buffers.
t [Bigarray.Array3]
The type of three-dimensional big arrays whose elements have OCaml type 'a, representation kind 'b, and memory layout 'c.
t [Bigarray.Array2]
The type of two-dimensional big arrays whose elements have OCaml type 'a, representation kind 'b, and memory layout 'c.
t [Bigarray.Array1]
The type of one-dimensional big arrays whose elements have OCaml type 'a, representation kind 'b, and memory layout 'c.
t [Bigarray.Array0]
The type of zero-dimensional big arrays whose elements have OCaml type 'a, representation kind 'b, and memory layout 'c.
t [Bigarray.Genarray]
The type Genarray.t is the type of big arrays with variable numbers of dimensions.
table [CamlinternalOO]
tables [CamlinternalOO]
tag [Format]
tag [CamlinternalOO]
terminal_io [UnixLabels]
terminal_io [Unix]
text [Docstrings]
tm [UnixLabels]
The type representing wallclock time and calendar date.
tm [Unix]
The type representing wallclock time and calendar date.
token [Parser]
token [Genlex]
The type of tokens.
toplevel_phrase [Parsetree]
type_declaration [Parsetree]
type_extension [Parsetree]
type_kind [Parsetree]

U
usage_msg [Arg]

V
value_binding [Parsetree]
value_description [Parsetree]
variance [Asttypes]
virtual_flag [Asttypes]

W
wait_flag [UnixLabels]
Flags for UnixLabels.waitpid.
wait_flag [Unix]
Flags for Unix.waitpid.
window_id [GraphicsX11]
with_constraint [Parsetree]
ocaml-doc-4.05/ocaml.html/libref/MoreLabels.Map.html0000644000175000017500000002006313131636446021176 0ustar mehdimehdi MoreLabels.Map

Module MoreLabels.Map

module Map: sig .. end

module type OrderedType = Map.OrderedType
module type S = sig .. end
module Make: 
functor (Ord : OrderedType-> S with type key = Ord.t
ocaml-doc-4.05/ocaml.html/libref/type_Hashtbl.S.html0000644000175000017500000003147713131636444021275 0ustar mehdimehdi Hashtbl.S sig
  type key
  type 'a t
  val create : int -> 'Hashtbl.S.t
  val clear : 'Hashtbl.S.t -> unit
  val reset : 'Hashtbl.S.t -> unit
  val copy : 'Hashtbl.S.t -> 'Hashtbl.S.t
  val add : 'Hashtbl.S.t -> Hashtbl.S.key -> '-> unit
  val remove : 'Hashtbl.S.t -> Hashtbl.S.key -> unit
  val find : 'Hashtbl.S.t -> Hashtbl.S.key -> 'a
  val find_opt : 'Hashtbl.S.t -> Hashtbl.S.key -> 'a option
  val find_all : 'Hashtbl.S.t -> Hashtbl.S.key -> 'a list
  val replace : 'Hashtbl.S.t -> Hashtbl.S.key -> '-> unit
  val mem : 'Hashtbl.S.t -> Hashtbl.S.key -> bool
  val iter : (Hashtbl.S.key -> '-> unit) -> 'Hashtbl.S.t -> unit
  val filter_map_inplace :
    (Hashtbl.S.key -> '-> 'a option) -> 'Hashtbl.S.t -> unit
  val fold : (Hashtbl.S.key -> '-> '-> 'b) -> 'Hashtbl.S.t -> '-> 'b
  val length : 'Hashtbl.S.t -> int
  val stats : 'Hashtbl.S.t -> Hashtbl.statistics
end
ocaml-doc-4.05/ocaml.html/libref/type_Ast_helper.html0000644000175000017500000040415713131636441021571 0ustar mehdimehdi Ast_helper sig
  type lid = Longident.t Asttypes.loc
  type str = string Asttypes.loc
  type loc = Location.t
  type attrs = Parsetree.attribute list
  val default_loc : Ast_helper.loc Pervasives.ref
  val with_default_loc : Ast_helper.loc -> (unit -> 'a) -> 'a
  module Const :
    sig
      val char : char -> Parsetree.constant
      val string :
        ?quotation_delimiter:string -> string -> Parsetree.constant
      val integer : ?suffix:char -> string -> Parsetree.constant
      val int : ?suffix:char -> int -> Parsetree.constant
      val int32 : ?suffix:char -> int32 -> Parsetree.constant
      val int64 : ?suffix:char -> int64 -> Parsetree.constant
      val nativeint : ?suffix:char -> nativeint -> Parsetree.constant
      val float : ?suffix:char -> string -> Parsetree.constant
    end
  module Typ :
    sig
      val mk :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.core_type_desc -> Parsetree.core_type
      val attr :
        Parsetree.core_type -> Parsetree.attribute -> Parsetree.core_type
      val any :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs -> unit -> Parsetree.core_type
      val var :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs -> string -> Parsetree.core_type
      val arrow :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Asttypes.arg_label ->
        Parsetree.core_type -> Parsetree.core_type -> Parsetree.core_type
      val tuple :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.core_type list -> Parsetree.core_type
      val constr :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Ast_helper.lid -> Parsetree.core_type list -> Parsetree.core_type
      val object_ :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        (Ast_helper.str * Parsetree.attributes * Parsetree.core_type) list ->
        Asttypes.closed_flag -> Parsetree.core_type
      val class_ :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Ast_helper.lid -> Parsetree.core_type list -> Parsetree.core_type
      val alias :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.core_type -> string -> Parsetree.core_type
      val variant :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.row_field list ->
        Asttypes.closed_flag ->
        Asttypes.label list option -> Parsetree.core_type
      val poly :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Ast_helper.str list -> Parsetree.core_type -> Parsetree.core_type
      val package :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Ast_helper.lid ->
        (Ast_helper.lid * Parsetree.core_type) list -> Parsetree.core_type
      val extension :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs -> Parsetree.extension -> Parsetree.core_type
      val force_poly : Parsetree.core_type -> Parsetree.core_type
      val varify_constructors :
        Ast_helper.str list -> Parsetree.core_type -> Parsetree.core_type
    end
  module Pat :
    sig
      val mk :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.pattern_desc -> Parsetree.pattern
      val attr :
        Parsetree.pattern -> Parsetree.attribute -> Parsetree.pattern
      val any :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs -> unit -> Parsetree.pattern
      val var :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs -> Ast_helper.str -> Parsetree.pattern
      val alias :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.pattern -> Ast_helper.str -> Parsetree.pattern
      val constant :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs -> Parsetree.constant -> Parsetree.pattern
      val interval :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.constant -> Parsetree.constant -> Parsetree.pattern
      val tuple :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.pattern list -> Parsetree.pattern
      val construct :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Ast_helper.lid -> Parsetree.pattern option -> Parsetree.pattern
      val variant :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Asttypes.label -> Parsetree.pattern option -> Parsetree.pattern
      val record :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        (Ast_helper.lid * Parsetree.pattern) list ->
        Asttypes.closed_flag -> Parsetree.pattern
      val array :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.pattern list -> Parsetree.pattern
      val or_ :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.pattern -> Parsetree.pattern -> Parsetree.pattern
      val constraint_ :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.pattern -> Parsetree.core_type -> Parsetree.pattern
      val type_ :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs -> Ast_helper.lid -> Parsetree.pattern
      val lazy_ :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs -> Parsetree.pattern -> Parsetree.pattern
      val unpack :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs -> Ast_helper.str -> Parsetree.pattern
      val open_ :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Ast_helper.lid -> Parsetree.pattern -> Parsetree.pattern
      val exception_ :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs -> Parsetree.pattern -> Parsetree.pattern
      val extension :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs -> Parsetree.extension -> Parsetree.pattern
    end
  module Exp :
    sig
      val mk :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.expression_desc -> Parsetree.expression
      val attr :
        Parsetree.expression -> Parsetree.attribute -> Parsetree.expression
      val ident :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs -> Ast_helper.lid -> Parsetree.expression
      val constant :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs -> Parsetree.constant -> Parsetree.expression
      val let_ :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Asttypes.rec_flag ->
        Parsetree.value_binding list ->
        Parsetree.expression -> Parsetree.expression
      val fun_ :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Asttypes.arg_label ->
        Parsetree.expression option ->
        Parsetree.pattern -> Parsetree.expression -> Parsetree.expression
      val function_ :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.case list -> Parsetree.expression
      val apply :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.expression ->
        (Asttypes.arg_label * Parsetree.expression) list ->
        Parsetree.expression
      val match_ :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.expression -> Parsetree.case list -> Parsetree.expression
      val try_ :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.expression -> Parsetree.case list -> Parsetree.expression
      val tuple :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.expression list -> Parsetree.expression
      val construct :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Ast_helper.lid -> Parsetree.expression option -> Parsetree.expression
      val variant :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Asttypes.label -> Parsetree.expression option -> Parsetree.expression
      val record :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        (Ast_helper.lid * Parsetree.expression) list ->
        Parsetree.expression option -> Parsetree.expression
      val field :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.expression -> Ast_helper.lid -> Parsetree.expression
      val setfield :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.expression ->
        Ast_helper.lid -> Parsetree.expression -> Parsetree.expression
      val array :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.expression list -> Parsetree.expression
      val ifthenelse :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.expression ->
        Parsetree.expression ->
        Parsetree.expression option -> Parsetree.expression
      val sequence :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.expression -> Parsetree.expression -> Parsetree.expression
      val while_ :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.expression -> Parsetree.expression -> Parsetree.expression
      val for_ :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.pattern ->
        Parsetree.expression ->
        Parsetree.expression ->
        Asttypes.direction_flag ->
        Parsetree.expression -> Parsetree.expression
      val coerce :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.expression ->
        Parsetree.core_type option ->
        Parsetree.core_type -> Parsetree.expression
      val constraint_ :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.expression -> Parsetree.core_type -> Parsetree.expression
      val send :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.expression -> Ast_helper.str -> Parsetree.expression
      val new_ :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs -> Ast_helper.lid -> Parsetree.expression
      val setinstvar :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Ast_helper.str -> Parsetree.expression -> Parsetree.expression
      val override :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        (Ast_helper.str * Parsetree.expression) list -> Parsetree.expression
      val letmodule :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Ast_helper.str ->
        Parsetree.module_expr -> Parsetree.expression -> Parsetree.expression
      val letexception :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.extension_constructor ->
        Parsetree.expression -> Parsetree.expression
      val assert_ :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.expression -> Parsetree.expression
      val lazy_ :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.expression -> Parsetree.expression
      val poly :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.expression ->
        Parsetree.core_type option -> Parsetree.expression
      val object_ :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.class_structure -> Parsetree.expression
      val newtype :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Ast_helper.str -> Parsetree.expression -> Parsetree.expression
      val pack :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.module_expr -> Parsetree.expression
      val open_ :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Asttypes.override_flag ->
        Ast_helper.lid -> Parsetree.expression -> Parsetree.expression
      val extension :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.extension -> Parsetree.expression
      val unreachable :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs -> unit -> Parsetree.expression
      val case :
        Parsetree.pattern ->
        ?guard:Parsetree.expression -> Parsetree.expression -> Parsetree.case
    end
  module Val :
    sig
      val mk :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        ?docs:Docstrings.docs ->
        ?prim:string list ->
        Ast_helper.str -> Parsetree.core_type -> Parsetree.value_description
    end
  module Type :
    sig
      val mk :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        ?docs:Docstrings.docs ->
        ?text:Docstrings.text ->
        ?params:(Parsetree.core_type * Asttypes.variance) list ->
        ?cstrs:(Parsetree.core_type * Parsetree.core_type * Ast_helper.loc)
               list ->
        ?kind:Parsetree.type_kind ->
        ?priv:Asttypes.private_flag ->
        ?manifest:Parsetree.core_type ->
        Ast_helper.str -> Parsetree.type_declaration
      val constructor :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        ?info:Docstrings.info ->
        ?args:Parsetree.constructor_arguments ->
        ?res:Parsetree.core_type ->
        Ast_helper.str -> Parsetree.constructor_declaration
      val field :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        ?info:Docstrings.info ->
        ?mut:Asttypes.mutable_flag ->
        Ast_helper.str -> Parsetree.core_type -> Parsetree.label_declaration
    end
  module Te :
    sig
      val mk :
        ?attrs:Ast_helper.attrs ->
        ?docs:Docstrings.docs ->
        ?params:(Parsetree.core_type * Asttypes.variance) list ->
        ?priv:Asttypes.private_flag ->
        Ast_helper.lid ->
        Parsetree.extension_constructor list -> Parsetree.type_extension
      val constructor :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        ?docs:Docstrings.docs ->
        ?info:Docstrings.info ->
        Ast_helper.str ->
        Parsetree.extension_constructor_kind ->
        Parsetree.extension_constructor
      val decl :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        ?docs:Docstrings.docs ->
        ?info:Docstrings.info ->
        ?args:Parsetree.constructor_arguments ->
        ?res:Parsetree.core_type ->
        Ast_helper.str -> Parsetree.extension_constructor
      val rebind :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        ?docs:Docstrings.docs ->
        ?info:Docstrings.info ->
        Ast_helper.str -> Ast_helper.lid -> Parsetree.extension_constructor
    end
  module Mty :
    sig
      val mk :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.module_type_desc -> Parsetree.module_type
      val attr :
        Parsetree.module_type -> Parsetree.attribute -> Parsetree.module_type
      val ident :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs -> Ast_helper.lid -> Parsetree.module_type
      val alias :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs -> Ast_helper.lid -> Parsetree.module_type
      val signature :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.signature -> Parsetree.module_type
      val functor_ :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Ast_helper.str ->
        Parsetree.module_type option ->
        Parsetree.module_type -> Parsetree.module_type
      val with_ :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.module_type ->
        Parsetree.with_constraint list -> Parsetree.module_type
      val typeof_ :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.module_expr -> Parsetree.module_type
      val extension :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.extension -> Parsetree.module_type
    end
  module Mod :
    sig
      val mk :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.module_expr_desc -> Parsetree.module_expr
      val attr :
        Parsetree.module_expr -> Parsetree.attribute -> Parsetree.module_expr
      val ident :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs -> Ast_helper.lid -> Parsetree.module_expr
      val structure :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.structure -> Parsetree.module_expr
      val functor_ :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Ast_helper.str ->
        Parsetree.module_type option ->
        Parsetree.module_expr -> Parsetree.module_expr
      val apply :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.module_expr ->
        Parsetree.module_expr -> Parsetree.module_expr
      val constraint_ :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.module_expr ->
        Parsetree.module_type -> Parsetree.module_expr
      val unpack :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.expression -> Parsetree.module_expr
      val extension :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.extension -> Parsetree.module_expr
    end
  module Sig :
    sig
      val mk :
        ?loc:Ast_helper.loc ->
        Parsetree.signature_item_desc -> Parsetree.signature_item
      val value :
        ?loc:Ast_helper.loc ->
        Parsetree.value_description -> Parsetree.signature_item
      val type_ :
        ?loc:Ast_helper.loc ->
        Asttypes.rec_flag ->
        Parsetree.type_declaration list -> Parsetree.signature_item
      val type_extension :
        ?loc:Ast_helper.loc ->
        Parsetree.type_extension -> Parsetree.signature_item
      val exception_ :
        ?loc:Ast_helper.loc ->
        Parsetree.extension_constructor -> Parsetree.signature_item
      val module_ :
        ?loc:Ast_helper.loc ->
        Parsetree.module_declaration -> Parsetree.signature_item
      val rec_module :
        ?loc:Ast_helper.loc ->
        Parsetree.module_declaration list -> Parsetree.signature_item
      val modtype :
        ?loc:Ast_helper.loc ->
        Parsetree.module_type_declaration -> Parsetree.signature_item
      val open_ :
        ?loc:Ast_helper.loc ->
        Parsetree.open_description -> Parsetree.signature_item
      val include_ :
        ?loc:Ast_helper.loc ->
        Parsetree.include_description -> Parsetree.signature_item
      val class_ :
        ?loc:Ast_helper.loc ->
        Parsetree.class_description list -> Parsetree.signature_item
      val class_type :
        ?loc:Ast_helper.loc ->
        Parsetree.class_type_declaration list -> Parsetree.signature_item
      val extension :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.extension -> Parsetree.signature_item
      val attribute :
        ?loc:Ast_helper.loc ->
        Parsetree.attribute -> Parsetree.signature_item
      val text : Docstrings.text -> Parsetree.signature_item list
    end
  module Str :
    sig
      val mk :
        ?loc:Ast_helper.loc ->
        Parsetree.structure_item_desc -> Parsetree.structure_item
      val eval :
        ?loc:Ast_helper.loc ->
        ?attrs:Parsetree.attributes ->
        Parsetree.expression -> Parsetree.structure_item
      val value :
        ?loc:Ast_helper.loc ->
        Asttypes.rec_flag ->
        Parsetree.value_binding list -> Parsetree.structure_item
      val primitive :
        ?loc:Ast_helper.loc ->
        Parsetree.value_description -> Parsetree.structure_item
      val type_ :
        ?loc:Ast_helper.loc ->
        Asttypes.rec_flag ->
        Parsetree.type_declaration list -> Parsetree.structure_item
      val type_extension :
        ?loc:Ast_helper.loc ->
        Parsetree.type_extension -> Parsetree.structure_item
      val exception_ :
        ?loc:Ast_helper.loc ->
        Parsetree.extension_constructor -> Parsetree.structure_item
      val module_ :
        ?loc:Ast_helper.loc ->
        Parsetree.module_binding -> Parsetree.structure_item
      val rec_module :
        ?loc:Ast_helper.loc ->
        Parsetree.module_binding list -> Parsetree.structure_item
      val modtype :
        ?loc:Ast_helper.loc ->
        Parsetree.module_type_declaration -> Parsetree.structure_item
      val open_ :
        ?loc:Ast_helper.loc ->
        Parsetree.open_description -> Parsetree.structure_item
      val class_ :
        ?loc:Ast_helper.loc ->
        Parsetree.class_declaration list -> Parsetree.structure_item
      val class_type :
        ?loc:Ast_helper.loc ->
        Parsetree.class_type_declaration list -> Parsetree.structure_item
      val include_ :
        ?loc:Ast_helper.loc ->
        Parsetree.include_declaration -> Parsetree.structure_item
      val extension :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.extension -> Parsetree.structure_item
      val attribute :
        ?loc:Ast_helper.loc ->
        Parsetree.attribute -> Parsetree.structure_item
      val text : Docstrings.text -> Parsetree.structure_item list
    end
  module Md :
    sig
      val mk :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        ?docs:Docstrings.docs ->
        ?text:Docstrings.text ->
        Ast_helper.str ->
        Parsetree.module_type -> Parsetree.module_declaration
    end
  module Mtd :
    sig
      val mk :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        ?docs:Docstrings.docs ->
        ?text:Docstrings.text ->
        ?typ:Parsetree.module_type ->
        Ast_helper.str -> Parsetree.module_type_declaration
    end
  module Mb :
    sig
      val mk :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        ?docs:Docstrings.docs ->
        ?text:Docstrings.text ->
        Ast_helper.str -> Parsetree.module_expr -> Parsetree.module_binding
    end
  module Opn :
    sig
      val mk :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        ?docs:Docstrings.docs ->
        ?override:Asttypes.override_flag ->
        Ast_helper.lid -> Parsetree.open_description
    end
  module Incl :
    sig
      val mk :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        ?docs:Docstrings.docs -> '-> 'Parsetree.include_infos
    end
  module Vb :
    sig
      val mk :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        ?docs:Docstrings.docs ->
        ?text:Docstrings.text ->
        Parsetree.pattern -> Parsetree.expression -> Parsetree.value_binding
    end
  module Cty :
    sig
      val mk :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.class_type_desc -> Parsetree.class_type
      val attr :
        Parsetree.class_type -> Parsetree.attribute -> Parsetree.class_type
      val constr :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Ast_helper.lid -> Parsetree.core_type list -> Parsetree.class_type
      val signature :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.class_signature -> Parsetree.class_type
      val arrow :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Asttypes.arg_label ->
        Parsetree.core_type -> Parsetree.class_type -> Parsetree.class_type
      val extension :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.extension -> Parsetree.class_type
    end
  module Ctf :
    sig
      val mk :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        ?docs:Docstrings.docs ->
        Parsetree.class_type_field_desc -> Parsetree.class_type_field
      val attr :
        Parsetree.class_type_field ->
        Parsetree.attribute -> Parsetree.class_type_field
      val inherit_ :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.class_type -> Parsetree.class_type_field
      val val_ :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Ast_helper.str ->
        Asttypes.mutable_flag ->
        Asttypes.virtual_flag ->
        Parsetree.core_type -> Parsetree.class_type_field
      val method_ :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Ast_helper.str ->
        Asttypes.private_flag ->
        Asttypes.virtual_flag ->
        Parsetree.core_type -> Parsetree.class_type_field
      val constraint_ :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.core_type ->
        Parsetree.core_type -> Parsetree.class_type_field
      val extension :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.extension -> Parsetree.class_type_field
      val attribute :
        ?loc:Ast_helper.loc ->
        Parsetree.attribute -> Parsetree.class_type_field
      val text : Docstrings.text -> Parsetree.class_type_field list
    end
  module Cl :
    sig
      val mk :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.class_expr_desc -> Parsetree.class_expr
      val attr :
        Parsetree.class_expr -> Parsetree.attribute -> Parsetree.class_expr
      val constr :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Ast_helper.lid -> Parsetree.core_type list -> Parsetree.class_expr
      val structure :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.class_structure -> Parsetree.class_expr
      val fun_ :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Asttypes.arg_label ->
        Parsetree.expression option ->
        Parsetree.pattern -> Parsetree.class_expr -> Parsetree.class_expr
      val apply :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.class_expr ->
        (Asttypes.arg_label * Parsetree.expression) list ->
        Parsetree.class_expr
      val let_ :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Asttypes.rec_flag ->
        Parsetree.value_binding list ->
        Parsetree.class_expr -> Parsetree.class_expr
      val constraint_ :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.class_expr -> Parsetree.class_type -> Parsetree.class_expr
      val extension :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.extension -> Parsetree.class_expr
    end
  module Cf :
    sig
      val mk :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        ?docs:Docstrings.docs ->
        Parsetree.class_field_desc -> Parsetree.class_field
      val attr :
        Parsetree.class_field -> Parsetree.attribute -> Parsetree.class_field
      val inherit_ :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Asttypes.override_flag ->
        Parsetree.class_expr ->
        Ast_helper.str option -> Parsetree.class_field
      val val_ :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Ast_helper.str ->
        Asttypes.mutable_flag ->
        Parsetree.class_field_kind -> Parsetree.class_field
      val method_ :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Ast_helper.str ->
        Asttypes.private_flag ->
        Parsetree.class_field_kind -> Parsetree.class_field
      val constraint_ :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.core_type -> Parsetree.core_type -> Parsetree.class_field
      val initializer_ :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.expression -> Parsetree.class_field
      val extension :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        Parsetree.extension -> Parsetree.class_field
      val attribute :
        ?loc:Ast_helper.loc -> Parsetree.attribute -> Parsetree.class_field
      val text : Docstrings.text -> Parsetree.class_field list
      val virtual_ : Parsetree.core_type -> Parsetree.class_field_kind
      val concrete :
        Asttypes.override_flag ->
        Parsetree.expression -> Parsetree.class_field_kind
    end
  module Ci :
    sig
      val mk :
        ?loc:Ast_helper.loc ->
        ?attrs:Ast_helper.attrs ->
        ?docs:Docstrings.docs ->
        ?text:Docstrings.text ->
        ?virt:Asttypes.virtual_flag ->
        ?params:(Parsetree.core_type * Asttypes.variance) list ->
        Ast_helper.str -> '-> 'Parsetree.class_infos
    end
  module Csig :
    sig
      val mk :
        Parsetree.core_type ->
        Parsetree.class_type_field list -> Parsetree.class_signature
    end
  module Cstr :
    sig
      val mk :
        Parsetree.pattern ->
        Parsetree.class_field list -> Parsetree.class_structure
    end
end
ocaml-doc-4.05/ocaml.html/libref/type_Syntaxerr.html0000644000175000017500000002240313131636451021471 0ustar mehdimehdi Syntaxerr sig
  type error =
      Unclosed of Location.t * string * Location.t * string
    | Expecting of Location.t * string
    | Not_expecting of Location.t * string
    | Applicative_path of Location.t
    | Variable_in_scope of Location.t * string
    | Other of Location.t
    | Ill_formed_ast of Location.t * string
    | Invalid_package_type of Location.t * string
  exception Error of Syntaxerr.error
  exception Escape_error
  val report_error : Format.formatter -> Syntaxerr.error -> unit
  val location_of_error : Syntaxerr.error -> Location.t
  val ill_formed_ast : Location.t -> string -> 'a
end
ocaml-doc-4.05/ocaml.html/libref/Misc.Int_literal_converter.html0000644000175000017500000001712113131636446023665 0ustar mehdimehdi Misc.Int_literal_converter

Module Misc.Int_literal_converter

module Int_literal_converter: sig .. end

val int : string -> int
val int32 : string -> int32
val int64 : string -> int64
val nativeint : string -> nativeint
ocaml-doc-4.05/ocaml.html/libref/Scanf.html0000644000175000017500000013201613131636450017464 0ustar mehdimehdi Scanf

Module Scanf

module Scanf: sig .. end
Formatted input functions.


Introduction


Functional input with format strings


The module Scanf provides formatted input functions or scanners.

The formatted input functions can read from any kind of input, including strings, files, or anything that can return characters. The more general source of characters is named a formatted input channel (or scanning buffer) and has type Scanf.Scanning.in_channel. The more general formatted input function reads from any scanning buffer and is named bscanf.

Generally speaking, the formatted input functions have 3 arguments:

Hence, a typical call to the formatted input function Scanf.bscanf is bscanf ic fmt f, where:



A simple example


As suggested above, the expression bscanf ic "%d" f reads a decimal integer n from the source of characters ic and returns f n.

For instance,

then bscanf Scanning.stdin "%d" f reads an integer n from the standard input and returns f n (that is n + 1). Thus, if we evaluate bscanf stdin "%d" f, and then enter 41 at the keyboard, the result we get is 42.

Formatted input as a functional feature


The OCaml scanning facility is reminiscent of the corresponding C feature. However, it is also largely different, simpler, and yet more powerful: the formatted input functions are higher-order functionals and the parameter passing mechanism is just the regular function application not the variable assignment based mechanism which is typical for formatted input in imperative languages; the OCaml format strings also feature useful additions to easily define complex tokens; as expected within a functional programming language, the formatted input functions also support polymorphism, in particular arbitrary interaction with polymorphic user-defined scanners. Furthermore, the OCaml formatted input facility is fully type-checked at compile time.

Formatted input channel

module Scanning: sig .. end

Type of formatted input functions

type ('a, 'b, 'c, 'd) scanner = ('a, Scanning.in_channel, 'b, 'c, 'a -> 'd, 'd) format6 ->
'c
The type of formatted input scanners: ('a, 'b, 'c, 'd) scanner is the type of a formatted input function that reads from some formatted input channel according to some format string; more precisely, if scan is some formatted input function, then scan
    ic fmt f
applies f to all the arguments specified by format string fmt, when scan has read those arguments from the Scanf.Scanning.in_channel formatted input channel ic.

For instance, the Scanf.scanf function below has type ('a, 'b, 'c, 'd) scanner, since it is a formatted input function that reads from Scanf.Scanning.stdin: scanf fmt f applies f to the arguments specified by fmt, reading those arguments from !Pervasives.stdin as expected.

If the format fmt has some %r indications, the corresponding formatted input functions must be provided before receiver function f. For instance, if read_elem is an input function for values of type t, then bscanf ic "%r;" read_elem f reads a value v of type t followed by a ';' character, and returns f v.
Since 3.10.0

exception Scan_failure of string
When the input can not be read according to the format string specification, formatted input functions typically raise exception Scan_failure.

The general formatted input function

val bscanf : Scanning.in_channel -> ('a, 'b, 'c, 'd) scanner

bscanf ic fmt r1 ... rN f reads characters from the Scanf.Scanning.in_channel formatted input channel ic and converts them to values according to format string fmt. As a final step, receiver function f is applied to the values read and gives the result of the bscanf call.

For instance, if f is the function fun s i -> i + 1, then Scanf.sscanf "x= 1" "%s = %i" f returns 2.

Arguments r1 to rN are user-defined input functions that read the argument corresponding to the %r conversions specified in the format string.

Format string description


The format string is a character string which contains three types of objects:

The space character in format strings


As mentioned above, a plain character in the format string is just matched with the next character of the input; however, two characters are special exceptions to this rule: the space character (' ' or ASCII code 32) and the line feed character ('\n' or ASCII code 10). A space does not match a single space character, but any amount of 'whitespace' in the input. More precisely, a space inside the format string matches any number of tab, space, line feed and carriage return characters. Similarly, a line feed character in the format string matches either a single line feed or a carriage return followed by a line feed.

Matching any amount of whitespace, a space in the format string also matches no amount of whitespace at all; hence, the call bscanf ib
    "Price = %d $" (fun p -> p)
succeeds and returns 1 when reading an input with various whitespace in it, such as Price = 1 $, Price  =  1    $, or even Price=1$.

Conversion specifications in format strings


Conversion specifications consist in the % character, followed by an optional flag, an optional field width, and followed by one or two conversion characters.

The conversion characters and their meanings are:

Following the % character that introduces a conversion, there may be the special flag _: the conversion that follows occurs as usual, but the resulting value is discarded. For instance, if f is the function fun i -> i + 1, and s is the string "x = 1", then Scanf.sscanf s "%_s = %i" f returns 2.

The field width is composed of an optional integer literal indicating the maximal width of the token to read. For instance, %6d reads an integer, having at most 6 decimal digits; %4f reads a float with at most 4 characters; and %8[\000-\255] returns the next 8 characters (or all the characters still available, if fewer than 8 characters are available in the input).

Notes:



Scanning indications in format strings


Scanning indications appear just after the string conversions %s and %[ range ] to delimit the end of the token. A scanning indication is introduced by a @ character, followed by some plain character c. It means that the string token should end just before the next matching c (which is skipped). If no c character is encountered, the string token spreads as much as possible. For instance, "%s@\t" reads a string up to the next tab character or to the end of input. If a @ character appears anywhere else in the format string, it is treated as a plain character.

Note:



Exceptions during scanning


Scanners may raise the following exceptions when the input cannot be read according to the format string:

Note:



Specialised formatted input functions

val sscanf : string -> ('a, 'b, 'c, 'd) scanner
Same as Scanf.bscanf, but reads from the given string.
val scanf : ('a, 'b, 'c, 'd) scanner
Same as Scanf.bscanf, but reads from the predefined formatted input channel Scanf.Scanning.stdin that is connected to stdin.
val kscanf : Scanning.in_channel ->
(Scanning.in_channel -> exn -> 'd) -> ('a, 'b, 'c, 'd) scanner
Same as Scanf.bscanf, but takes an additional function argument ef that is called in case of error: if the scanning process or some conversion fails, the scanning function aborts and calls the error handling function ef with the formatted input channel and the exception that aborted the scanning process as arguments.
val ksscanf : string ->
(Scanning.in_channel -> exn -> 'd) -> ('a, 'b, 'c, 'd) scanner
Same as Scanf.kscanf but reads from the given string.
Since 4.02.0

Reading format strings from input

val bscanf_format : Scanning.in_channel ->
('a, 'b, 'c, 'd, 'e, 'f) format6 ->
(('a, 'b, 'c, 'd, 'e, 'f) format6 -> 'g) -> 'g
bscanf_format ic fmt f reads a format string token from the formatted input channel ic, according to the given format string fmt, and applies f to the resulting format string value. Raise Scanf.Scan_failure if the format string value read does not have the same type as fmt.
Since 3.09.0
val sscanf_format : string ->
('a, 'b, 'c, 'd, 'e, 'f) format6 ->
(('a, 'b, 'c, 'd, 'e, 'f) format6 -> 'g) -> 'g
Same as Scanf.bscanf_format, but reads from the given string.
Since 3.09.0
val format_from_string : string ->
('a, 'b, 'c, 'd, 'e, 'f) format6 ->
('a, 'b, 'c, 'd, 'e, 'f) format6
format_from_string s fmt converts a string argument to a format string, according to the given format string fmt. Raise Scanf.Scan_failure if s, considered as a format string, does not have the same type as fmt.
Since 3.10.0
val unescaped : string -> string
unescaped s return a copy of s with escape sequences (according to the lexical conventions of OCaml) replaced by their corresponding special characters. More precisely, Scanf.unescaped has the following property: for all string s, Scanf.unescaped (String.escaped s) = s.

Always return a copy of the argument, even if there is no escape sequence in the argument. Raise Scanf.Scan_failure if s is not properly escaped (i.e. s has invalid escape sequences or special characters that are not properly escaped). For instance, String.unescaped "\"" will fail.
Since 4.00.0


Deprecated

val fscanf : in_channel -> ('a, 'b, 'c, 'd) scanner
Deprecated.Scanf.fscanf is error prone and deprecated since 4.03.0.

This function violates the following invariant of the Scanf module: To preserve scanning semantics, all scanning functions defined in Scanf must read from a user defined Scanf.Scanning.in_channel formatted input channel.

If you need to read from a in_channel input channel ic, simply define a Scanf.Scanning.in_channel formatted input channel as in let ib = Scanning.from_channel ic, then use Scanf.bscanf ib as usual.

val kfscanf : in_channel ->
(Scanning.in_channel -> exn -> 'd) -> ('a, 'b, 'c, 'd) scanner
Deprecated.Scanf.kfscanf is error prone and deprecated since 4.03.0.
ocaml-doc-4.05/ocaml.html/libref/type_Numbers.html0000644000175000017500000025125713131636447021125 0ustar mehdimehdi Numbers sig
  module Int :
    sig
      type t = int
      module T :
        sig
          type t = t
          val equal : t -> t -> bool
          val hash : t -> int
          val compare : t -> t -> int
          val output : out_channel -> t -> unit
          val print : Format.formatter -> t -> unit
        end
      val equal : T.t -> T.t -> bool
      val hash : T.t -> int
      val compare : T.t -> T.t -> int
      val output : out_channel -> T.t -> unit
      val print : Format.formatter -> T.t -> unit
      module Set :
        sig
          type elt = T.t
          type t = Set.Make(T).t
          val empty : t
          val is_empty : t -> bool
          val mem : elt -> t -> bool
          val add : elt -> t -> t
          val singleton : elt -> t
          val remove : elt -> t -> t
          val union : t -> t -> t
          val inter : t -> t -> t
          val diff : t -> t -> t
          val compare : t -> t -> int
          val equal : t -> t -> bool
          val subset : t -> t -> bool
          val iter : (elt -> unit) -> t -> unit
          val fold : (elt -> '-> 'a) -> t -> '-> 'a
          val for_all : (elt -> bool) -> t -> bool
          val exists : (elt -> bool) -> t -> bool
          val filter : (elt -> bool) -> t -> t
          val partition : (elt -> bool) -> t -> t * t
          val cardinal : t -> int
          val elements : t -> elt list
          val min_elt : t -> elt
          val min_elt_opt : t -> elt option
          val max_elt : t -> elt
          val max_elt_opt : t -> elt option
          val choose : t -> elt
          val choose_opt : t -> elt option
          val split : elt -> t -> t * bool * t
          val find : elt -> t -> elt
          val find_opt : elt -> t -> elt option
          val find_first : (elt -> bool) -> t -> elt
          val find_first_opt : (elt -> bool) -> t -> elt option
          val find_last : (elt -> bool) -> t -> elt
          val find_last_opt : (elt -> bool) -> t -> elt option
          val output : out_channel -> t -> unit
          val print : Format.formatter -> t -> unit
          val to_string : t -> string
          val of_list : elt list -> t
          val map : (elt -> elt) -> t -> t
        end
      module Map :
        sig
          type key = T.t
          type 'a t = 'Map.Make(T).t
          val empty : 'a t
          val is_empty : 'a t -> bool
          val mem : key -> 'a t -> bool
          val add : key -> '-> 'a t -> 'a t
          val singleton : key -> '-> 'a t
          val remove : key -> 'a t -> 'a t
          val merge :
            (key -> 'a option -> 'b option -> 'c option) ->
            'a t -> 'b t -> 'c t
          val union : (key -> '-> '-> 'a option) -> 'a t -> 'a t -> 'a t
          val compare : ('-> '-> int) -> 'a t -> 'a t -> int
          val equal : ('-> '-> bool) -> 'a t -> 'a t -> bool
          val iter : (key -> '-> unit) -> 'a t -> unit
          val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
          val for_all : (key -> '-> bool) -> 'a t -> bool
          val exists : (key -> '-> bool) -> 'a t -> bool
          val filter : (key -> '-> bool) -> 'a t -> 'a t
          val partition : (key -> '-> bool) -> 'a t -> 'a t * 'a t
          val cardinal : 'a t -> int
          val bindings : 'a t -> (key * 'a) list
          val min_binding : 'a t -> key * 'a
          val min_binding_opt : 'a t -> (key * 'a) option
          val max_binding : 'a t -> key * 'a
          val max_binding_opt : 'a t -> (key * 'a) option
          val choose : 'a t -> key * 'a
          val choose_opt : 'a t -> (key * 'a) option
          val split : key -> 'a t -> 'a t * 'a option * 'a t
          val find : key -> 'a t -> 'a
          val find_opt : key -> 'a t -> 'a option
          val find_first : (key -> bool) -> 'a t -> key * 'a
          val find_first_opt : (key -> bool) -> 'a t -> (key * 'a) option
          val find_last : (key -> bool) -> 'a t -> key * 'a
          val find_last_opt : (key -> bool) -> 'a t -> (key * 'a) option
          val map : ('-> 'b) -> 'a t -> 'b t
          val mapi : (key -> '-> 'b) -> 'a t -> 'b t
          val filter_map : 'a t -> f:(key -> '-> 'b option) -> 'b t
          val of_list : (key * 'a) list -> 'a t
          val disjoint_union :
            ?eq:('-> '-> bool) ->
            ?print:(Format.formatter -> '-> unit) -> 'a t -> 'a t -> 'a t
          val union_right : 'a t -> 'a t -> 'a t
          val union_left : 'a t -> 'a t -> 'a t
          val union_merge : ('-> '-> 'a) -> 'a t -> 'a t -> 'a t
          val rename : key t -> key -> key
          val map_keys : (key -> key) -> 'a t -> 'a t
          val keys : 'a t -> Set.t
          val data : 'a t -> 'a list
          val of_set : (key -> 'a) -> Set.t -> 'a t
          val transpose_keys_and_data : key t -> key t
          val transpose_keys_and_data_set : key t -> Set.t t
          val print :
            (Format.formatter -> '-> unit) ->
            Format.formatter -> 'a t -> unit
        end
      module Tbl :
        sig
          type key = T.t
          type 'a t = 'Hashtbl.Make(T).t
          val create : int -> 'a t
          val clear : 'a t -> unit
          val reset : 'a t -> unit
          val copy : 'a t -> 'a t
          val add : 'a t -> key -> '-> unit
          val remove : 'a t -> key -> unit
          val find : 'a t -> key -> 'a
          val find_opt : 'a t -> key -> 'a option
          val find_all : 'a t -> key -> 'a list
          val replace : 'a t -> key -> '-> unit
          val mem : 'a t -> key -> bool
          val iter : (key -> '-> unit) -> 'a t -> unit
          val filter_map_inplace : (key -> '-> 'a option) -> 'a t -> unit
          val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
          val length : 'a t -> int
          val stats : 'a t -> Hashtbl.statistics
          val to_list : 'a t -> (T.t * 'a) list
          val of_list : (T.t * 'a) list -> 'a t
          val to_map : 'a t -> 'Map.t
          val of_map : 'Map.t -> 'a t
          val memoize : 'a t -> (key -> 'a) -> key -> 'a
          val map : 'a t -> ('-> 'b) -> 'b t
        end
      val zero_to_n : int -> Set.t
    end
  module Float :
    sig
      type t = float
      module T :
        sig
          type t = t
          val equal : t -> t -> bool
          val hash : t -> int
          val compare : t -> t -> int
          val output : out_channel -> t -> unit
          val print : Format.formatter -> t -> unit
        end
      val equal : T.t -> T.t -> bool
      val hash : T.t -> int
      val compare : T.t -> T.t -> int
      val output : out_channel -> T.t -> unit
      val print : Format.formatter -> T.t -> unit
      module Set :
        sig
          type elt = T.t
          type t = Set.Make(T).t
          val empty : t
          val is_empty : t -> bool
          val mem : elt -> t -> bool
          val add : elt -> t -> t
          val singleton : elt -> t
          val remove : elt -> t -> t
          val union : t -> t -> t
          val inter : t -> t -> t
          val diff : t -> t -> t
          val compare : t -> t -> int
          val equal : t -> t -> bool
          val subset : t -> t -> bool
          val iter : (elt -> unit) -> t -> unit
          val fold : (elt -> '-> 'a) -> t -> '-> 'a
          val for_all : (elt -> bool) -> t -> bool
          val exists : (elt -> bool) -> t -> bool
          val filter : (elt -> bool) -> t -> t
          val partition : (elt -> bool) -> t -> t * t
          val cardinal : t -> int
          val elements : t -> elt list
          val min_elt : t -> elt
          val min_elt_opt : t -> elt option
          val max_elt : t -> elt
          val max_elt_opt : t -> elt option
          val choose : t -> elt
          val choose_opt : t -> elt option
          val split : elt -> t -> t * bool * t
          val find : elt -> t -> elt
          val find_opt : elt -> t -> elt option
          val find_first : (elt -> bool) -> t -> elt
          val find_first_opt : (elt -> bool) -> t -> elt option
          val find_last : (elt -> bool) -> t -> elt
          val find_last_opt : (elt -> bool) -> t -> elt option
          val output : out_channel -> t -> unit
          val print : Format.formatter -> t -> unit
          val to_string : t -> string
          val of_list : elt list -> t
          val map : (elt -> elt) -> t -> t
        end
      module Map :
        sig
          type key = T.t
          type 'a t = 'Map.Make(T).t
          val empty : 'a t
          val is_empty : 'a t -> bool
          val mem : key -> 'a t -> bool
          val add : key -> '-> 'a t -> 'a t
          val singleton : key -> '-> 'a t
          val remove : key -> 'a t -> 'a t
          val merge :
            (key -> 'a option -> 'b option -> 'c option) ->
            'a t -> 'b t -> 'c t
          val union : (key -> '-> '-> 'a option) -> 'a t -> 'a t -> 'a t
          val compare : ('-> '-> int) -> 'a t -> 'a t -> int
          val equal : ('-> '-> bool) -> 'a t -> 'a t -> bool
          val iter : (key -> '-> unit) -> 'a t -> unit
          val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
          val for_all : (key -> '-> bool) -> 'a t -> bool
          val exists : (key -> '-> bool) -> 'a t -> bool
          val filter : (key -> '-> bool) -> 'a t -> 'a t
          val partition : (key -> '-> bool) -> 'a t -> 'a t * 'a t
          val cardinal : 'a t -> int
          val bindings : 'a t -> (key * 'a) list
          val min_binding : 'a t -> key * 'a
          val min_binding_opt : 'a t -> (key * 'a) option
          val max_binding : 'a t -> key * 'a
          val max_binding_opt : 'a t -> (key * 'a) option
          val choose : 'a t -> key * 'a
          val choose_opt : 'a t -> (key * 'a) option
          val split : key -> 'a t -> 'a t * 'a option * 'a t
          val find : key -> 'a t -> 'a
          val find_opt : key -> 'a t -> 'a option
          val find_first : (key -> bool) -> 'a t -> key * 'a
          val find_first_opt : (key -> bool) -> 'a t -> (key * 'a) option
          val find_last : (key -> bool) -> 'a t -> key * 'a
          val find_last_opt : (key -> bool) -> 'a t -> (key * 'a) option
          val map : ('-> 'b) -> 'a t -> 'b t
          val mapi : (key -> '-> 'b) -> 'a t -> 'b t
          val filter_map : 'a t -> f:(key -> '-> 'b option) -> 'b t
          val of_list : (key * 'a) list -> 'a t
          val disjoint_union :
            ?eq:('-> '-> bool) ->
            ?print:(Format.formatter -> '-> unit) -> 'a t -> 'a t -> 'a t
          val union_right : 'a t -> 'a t -> 'a t
          val union_left : 'a t -> 'a t -> 'a t
          val union_merge : ('-> '-> 'a) -> 'a t -> 'a t -> 'a t
          val rename : key t -> key -> key
          val map_keys : (key -> key) -> 'a t -> 'a t
          val keys : 'a t -> Set.t
          val data : 'a t -> 'a list
          val of_set : (key -> 'a) -> Set.t -> 'a t
          val transpose_keys_and_data : key t -> key t
          val transpose_keys_and_data_set : key t -> Set.t t
          val print :
            (Format.formatter -> '-> unit) ->
            Format.formatter -> 'a t -> unit
        end
      module Tbl :
        sig
          type key = T.t
          type 'a t = 'Hashtbl.Make(T).t
          val create : int -> 'a t
          val clear : 'a t -> unit
          val reset : 'a t -> unit
          val copy : 'a t -> 'a t
          val add : 'a t -> key -> '-> unit
          val remove : 'a t -> key -> unit
          val find : 'a t -> key -> 'a
          val find_opt : 'a t -> key -> 'a option
          val find_all : 'a t -> key -> 'a list
          val replace : 'a t -> key -> '-> unit
          val mem : 'a t -> key -> bool
          val iter : (key -> '-> unit) -> 'a t -> unit
          val filter_map_inplace : (key -> '-> 'a option) -> 'a t -> unit
          val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
          val length : 'a t -> int
          val stats : 'a t -> Hashtbl.statistics
          val to_list : 'a t -> (T.t * 'a) list
          val of_list : (T.t * 'a) list -> 'a t
          val to_map : 'a t -> 'Map.t
          val of_map : 'Map.t -> 'a t
          val memoize : 'a t -> (key -> 'a) -> key -> 'a
          val map : 'a t -> ('-> 'b) -> 'b t
        end
    end
end
ocaml-doc-4.05/ocaml.html/libref/Misc.Color.html0000644000175000017500000003154013131636446020407 0ustar mehdimehdi Misc.Color

Module Misc.Color

module Color: sig .. end

type color = 
| Black
| Red
| Green
| Yellow
| Blue
| Magenta
| Cyan
| White
type style = 
| FG of color
| BG of color
| Bold
| Reset
val ansi_of_style_l : style list -> string
type styles = {
   error : style list;
   warning : style list;
   loc : style list;
}
val default_styles : styles
val get_styles : unit -> styles
val set_styles : styles -> unit
type setting = 
| Auto
| Always
| Never
val setup : setting option -> unit
val set_color_tag_handling : Format.formatter -> unit
ocaml-doc-4.05/ocaml.html/libref/type_Strongly_connected_components.S.html0000644000175000017500000002011413131636451026000 0ustar mehdimehdi Strongly_connected_components.S sig
  module Id : Identifiable.S
  type directed_graph = Id.Set.t Id.Map.t
  type component = Has_loop of Id.t list | No_loop of Id.t
  val connected_components_sorted_from_roots_to_leaf :
    Strongly_connected_components.S.directed_graph ->
    Strongly_connected_components.S.component array
  val component_graph :
    Strongly_connected_components.S.directed_graph ->
    (Strongly_connected_components.S.component * int list) array
end
ocaml-doc-4.05/ocaml.html/libref/type_Spacetime.Snapshot.html0000644000175000017500000001527113131636450023206 0ustar mehdimehdi Spacetime.Snapshot sig val take : ?time:float -> Spacetime.Series.t -> unit endocaml-doc-4.05/ocaml.html/libref/Ast_iterator.html0000644000175000017500000005453613131636441021104 0ustar mehdimehdi Ast_iterator

Module Ast_iterator

module Ast_iterator: sig .. end
Ast_iterator.iterator allows to implement AST inspection using open recursion. A typical mapper would be based on Ast_iterator.default_iterator, a trivial iterator, and will fall back on it for handling the syntax it does not modify.


A generic Parsetree iterator


type iterator = {
   attribute : iterator -> Parsetree.attribute -> unit;
   attributes : iterator -> Parsetree.attribute list -> unit;
   case : iterator -> Parsetree.case -> unit;
   cases : iterator -> Parsetree.case list -> unit;
   class_declaration : iterator -> Parsetree.class_declaration -> unit;
   class_description : iterator -> Parsetree.class_description -> unit;
   class_expr : iterator -> Parsetree.class_expr -> unit;
   class_field : iterator -> Parsetree.class_field -> unit;
   class_signature : iterator -> Parsetree.class_signature -> unit;
   class_structure : iterator -> Parsetree.class_structure -> unit;
   class_type : iterator -> Parsetree.class_type -> unit;
   class_type_declaration : iterator -> Parsetree.class_type_declaration -> unit;
   class_type_field : iterator -> Parsetree.class_type_field -> unit;
   constructor_declaration : iterator -> Parsetree.constructor_declaration -> unit;
   expr : iterator -> Parsetree.expression -> unit;
   extension : iterator -> Parsetree.extension -> unit;
   extension_constructor : iterator -> Parsetree.extension_constructor -> unit;
   include_declaration : iterator -> Parsetree.include_declaration -> unit;
   include_description : iterator -> Parsetree.include_description -> unit;
   label_declaration : iterator -> Parsetree.label_declaration -> unit;
   location : iterator -> Location.t -> unit;
   module_binding : iterator -> Parsetree.module_binding -> unit;
   module_declaration : iterator -> Parsetree.module_declaration -> unit;
   module_expr : iterator -> Parsetree.module_expr -> unit;
   module_type : iterator -> Parsetree.module_type -> unit;
   module_type_declaration : iterator -> Parsetree.module_type_declaration -> unit;
   open_description : iterator -> Parsetree.open_description -> unit;
   pat : iterator -> Parsetree.pattern -> unit;
   payload : iterator -> Parsetree.payload -> unit;
   signature : iterator -> Parsetree.signature -> unit;
   signature_item : iterator -> Parsetree.signature_item -> unit;
   structure : iterator -> Parsetree.structure -> unit;
   structure_item : iterator -> Parsetree.structure_item -> unit;
   typ : iterator -> Parsetree.core_type -> unit;
   type_declaration : iterator -> Parsetree.type_declaration -> unit;
   type_extension : iterator -> Parsetree.type_extension -> unit;
   type_kind : iterator -> Parsetree.type_kind -> unit;
   value_binding : iterator -> Parsetree.value_binding -> unit;
   value_description : iterator -> Parsetree.value_description -> unit;
   with_constraint : iterator -> Parsetree.with_constraint -> unit;
}
A iterator record implements one "method" per syntactic category, using an open recursion style: each method takes as its first argument the iterator to be applied to children in the syntax tree.
val default_iterator : iterator
A default iterator, which implements a "do not do anything" mapping.
ocaml-doc-4.05/ocaml.html/libref/Misc.html0000644000175000017500000005607013131636445017336 0ustar mehdimehdi Misc

Module Misc

module Misc: sig .. end
protect_refs l f temporarily sets r to v for each R (r, v) in l while executing f. The previous contents of the references is restored even if f raises an exception.

val fatal_error : string -> 'a
val fatal_errorf : ('a, Format.formatter, unit, 'b) format4 -> 'a
exception Fatal_error
val try_finally : (unit -> 'a) -> (unit -> unit) -> 'a
val map_end : ('a -> 'b) -> 'a list -> 'b list -> 'b list
val map_left_right : ('a -> 'b) -> 'a list -> 'b list
val for_all2 : ('a -> 'b -> bool) -> 'a list -> 'b list -> bool
val replicate_list : 'a -> int -> 'a list
val list_remove : 'a -> 'a list -> 'a list
val split_last : 'a list -> 'a list * 'a
val may : ('a -> unit) -> 'a option -> unit
val may_map : ('a -> 'b) -> 'a option -> 'b option
type ref_and_value = 
| R : 'a ref * 'a -> ref_and_value
val protect_refs : ref_and_value list -> (unit -> 'a) -> 'a
protect_refs l f temporarily sets r to v for each R (r, v) in l while executing f. The previous contents of the references is restored even if f raises an exception.
module Stdlib: sig .. end
val find_in_path : string list -> string -> string
val find_in_path_rel : string list -> string -> string
val find_in_path_uncap : string list -> string -> string
val remove_file : string -> unit
val expand_directory : string -> string -> string
val create_hashtable : int -> ('a * 'b) list -> ('a, 'b) Hashtbl.t
val copy_file : in_channel -> out_channel -> unit
val copy_file_chunk : in_channel -> out_channel -> int -> unit
val string_of_file : in_channel -> string
val log2 : int -> int
val align : int -> int -> int
val no_overflow_add : int -> int -> bool
val no_overflow_sub : int -> int -> bool
val no_overflow_mul : int -> int -> bool
val no_overflow_lsl : int -> int -> bool
module Int_literal_converter: sig .. end
val chop_extensions : string -> string
val search_substring : string -> string -> int -> int
val replace_substring : before:string -> after:string -> string -> string
val rev_split_words : string -> string list
val get_ref : 'a list ref -> 'a list
val fst3 : 'a * 'b * 'c -> 'a
val snd3 : 'a * 'b * 'c -> 'b
val thd3 : 'a * 'b * 'c -> 'c
val fst4 : 'a * 'b * 'c * 'd -> 'a
val snd4 : 'a * 'b * 'c * 'd -> 'b
val thd4 : 'a * 'b * 'c * 'd -> 'c
val for4 : 'a * 'b * 'c * 'd -> 'd
module LongString: sig .. end
val edit_distance : string -> string -> int -> int option
edit_distance a b cutoff computes the edit distance between strings a and b. To help efficiency, it uses a cutoff: if the distance d is smaller than cutoff, it returns Some d, else None.

The distance algorithm currently used is Damerau-Levenshtein: it computes the number of insertion, deletion, substitution of letters, or swapping of adjacent letters to go from one word to the other. The particular algorithm may change in the future.

val spellcheck : string list -> string -> string list
spellcheck env name takes a list of names env that exist in the current environment and an erroneous name, and returns a list of suggestions taken from env, that are close enough to name that it may be a typo for one of them.
val did_you_mean : Format.formatter -> (unit -> string list) -> unit
did_you_mean ppf get_choices hints that the user may have meant one of the option returned by calling get_choices. It does nothing if the returned list is empty.

The unit -> ... thunking is meant to delay any potentially-slow computation (typically computing edit-distance with many things from the current environment) to when the hint message is to be printed. You should print an understandable error message before calling did_you_mean, so that users get a clear notification of the failure even if producing the hint is slow.

val cut_at : string -> char -> string * string
String.cut_at s c returns a pair containing the sub-string before the first occurrence of c in s, and the sub-string after the first occurrence of c in s. let (before, after) = String.cut_at s c in
    before ^ String.make 1 c ^ after
is the identity if s contains c.

Raise Not_found if the character does not appear in the string
Since 4.01

module StringSet: Set.S  with type elt = string
module StringMap: Map.S  with type key = string
module Color: sig .. end
val normalise_eol : string -> string
normalise_eol s returns a fresh copy of s with any '\r' characters removed. Intended for pre-processing text which will subsequently be printed on a channel which performs EOL transformations (i.e. Windows)
val delete_eol_spaces : string -> string
delete_eol_spaces s returns a fresh copy of s with any end of line spaces removed. Intended to normalize the output of the toplevel for tests.

Hook machinery


type hook_info = {
   sourcefile : string;
}
exception HookExnWrapper of {
   error : exn;
   hook_name : string;
   hook_info : hook_info;
}
An exception raised by a hook will be wrapped into a HookExnWrapper constructor by the hook machinery.
val raise_direct_hook_exn : exn -> 'a
A hook can use raise_unwrapped_hook_exn to raise an exception that will not be wrapped into a Misc.HookExnWrapper.
module type HookSig = sig .. end
module MakeHooks: 
functor (M : sig
type t 
end-> HookSig  with type t = M.t
ocaml-doc-4.05/ocaml.html/libref/type_Ast_helper.Pat.html0000644000175000017500000004123613131636441022307 0ustar mehdimehdi Ast_helper.Pat sig
  val mk :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs -> Parsetree.pattern_desc -> Parsetree.pattern
  val attr : Parsetree.pattern -> Parsetree.attribute -> Parsetree.pattern
  val any :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs -> unit -> Parsetree.pattern
  val var :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs -> Ast_helper.str -> Parsetree.pattern
  val alias :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Parsetree.pattern -> Ast_helper.str -> Parsetree.pattern
  val constant :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs -> Parsetree.constant -> Parsetree.pattern
  val interval :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Parsetree.constant -> Parsetree.constant -> Parsetree.pattern
  val tuple :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs -> Parsetree.pattern list -> Parsetree.pattern
  val construct :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Ast_helper.lid -> Parsetree.pattern option -> Parsetree.pattern
  val variant :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Asttypes.label -> Parsetree.pattern option -> Parsetree.pattern
  val record :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    (Ast_helper.lid * Parsetree.pattern) list ->
    Asttypes.closed_flag -> Parsetree.pattern
  val array :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs -> Parsetree.pattern list -> Parsetree.pattern
  val or_ :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Parsetree.pattern -> Parsetree.pattern -> Parsetree.pattern
  val constraint_ :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Parsetree.pattern -> Parsetree.core_type -> Parsetree.pattern
  val type_ :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs -> Ast_helper.lid -> Parsetree.pattern
  val lazy_ :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs -> Parsetree.pattern -> Parsetree.pattern
  val unpack :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs -> Ast_helper.str -> Parsetree.pattern
  val open_ :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Ast_helper.lid -> Parsetree.pattern -> Parsetree.pattern
  val exception_ :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs -> Parsetree.pattern -> Parsetree.pattern
  val extension :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs -> Parsetree.extension -> Parsetree.pattern
end
ocaml-doc-4.05/ocaml.html/libref/type_Obj.html0000644000175000017500000004423513131636447020220 0ustar mehdimehdi Obj sig
  type t
  external repr : '-> Obj.t = "%identity"
  external obj : Obj.t -> 'a = "%identity"
  external magic : '-> 'b = "%identity"
  val is_block : Obj.t -> bool
  external is_int : Obj.t -> bool = "%obj_is_int"
  external tag : Obj.t -> int = "caml_obj_tag"
  external size : Obj.t -> int = "%obj_size"
  external reachable_words : Obj.t -> int = "caml_obj_reachable_words"
  external field : Obj.t -> int -> Obj.t = "%obj_field"
  external set_field : Obj.t -> int -> Obj.t -> unit = "%obj_set_field"
  external set_tag : Obj.t -> int -> unit = "caml_obj_set_tag"
  val double_field : Obj.t -> int -> float
  val set_double_field : Obj.t -> int -> float -> unit
  external new_block : int -> int -> Obj.t = "caml_obj_block"
  external dup : Obj.t -> Obj.t = "caml_obj_dup"
  external truncate : Obj.t -> int -> unit = "caml_obj_truncate"
  external add_offset : Obj.t -> Int32.t -> Obj.t = "caml_obj_add_offset"
  val first_non_constant_constructor_tag : int
  val last_non_constant_constructor_tag : int
  val lazy_tag : int
  val closure_tag : int
  val object_tag : int
  val infix_tag : int
  val forward_tag : int
  val no_scan_tag : int
  val abstract_tag : int
  val string_tag : int
  val double_tag : int
  val double_array_tag : int
  val custom_tag : int
  val final_tag : int
  val int_tag : int
  val out_of_heap_tag : int
  val unaligned_tag : int
  val extension_constructor : '-> extension_constructor
  val extension_name : extension_constructor -> string
  val extension_id : extension_constructor -> int
  val marshal : Obj.t -> bytes
  val unmarshal : bytes -> int -> Obj.t * int
  module Ephemeron :
    sig
      type obj_t = Obj.t
      type t
      val create : int -> Obj.Ephemeron.t
      val length : Obj.Ephemeron.t -> int
      val get_key : Obj.Ephemeron.t -> int -> Obj.Ephemeron.obj_t option
      val get_key_copy : Obj.Ephemeron.t -> int -> Obj.Ephemeron.obj_t option
      val set_key : Obj.Ephemeron.t -> int -> Obj.Ephemeron.obj_t -> unit
      val unset_key : Obj.Ephemeron.t -> int -> unit
      val check_key : Obj.Ephemeron.t -> int -> bool
      val blit_key :
        Obj.Ephemeron.t -> int -> Obj.Ephemeron.t -> int -> int -> unit
      val get_data : Obj.Ephemeron.t -> Obj.Ephemeron.obj_t option
      val get_data_copy : Obj.Ephemeron.t -> Obj.Ephemeron.obj_t option
      val set_data : Obj.Ephemeron.t -> Obj.Ephemeron.obj_t -> unit
      val unset_data : Obj.Ephemeron.t -> unit
      val check_data : Obj.Ephemeron.t -> bool
      val blit_data : Obj.Ephemeron.t -> Obj.Ephemeron.t -> unit
    end
end
ocaml-doc-4.05/ocaml.html/libref/type_Ephemeron.K2.html0000644000175000017500000006650213131636443021700 0ustar mehdimehdi Ephemeron.K2 sig
  type ('k1, 'k2, 'd) t
  val create : unit -> ('k1, 'k2, 'd) Ephemeron.K2.t
  val get_key1 : ('k1, 'k2, 'd) Ephemeron.K2.t -> 'k1 option
  val get_key1_copy : ('k1, 'k2, 'd) Ephemeron.K2.t -> 'k1 option
  val set_key1 : ('k1, 'k2, 'd) Ephemeron.K2.t -> 'k1 -> unit
  val unset_key1 : ('k1, 'k2, 'd) Ephemeron.K2.t -> unit
  val check_key1 : ('k1, 'k2, 'd) Ephemeron.K2.t -> bool
  val get_key2 : ('k1, 'k2, 'd) Ephemeron.K2.t -> 'k2 option
  val get_key2_copy : ('k1, 'k2, 'd) Ephemeron.K2.t -> 'k2 option
  val set_key2 : ('k1, 'k2, 'd) Ephemeron.K2.t -> 'k2 -> unit
  val unset_key2 : ('k1, 'k2, 'd) Ephemeron.K2.t -> unit
  val check_key2 : ('k1, 'k2, 'd) Ephemeron.K2.t -> bool
  val blit_key1 :
    ('k1, 'a, 'b) Ephemeron.K2.t -> ('k1, 'c, 'd) Ephemeron.K2.t -> unit
  val blit_key2 :
    ('a, 'k2, 'b) Ephemeron.K2.t -> ('c, 'k2, 'd) Ephemeron.K2.t -> unit
  val blit_key12 :
    ('k1, 'k2, 'a) Ephemeron.K2.t -> ('k1, 'k2, 'b) Ephemeron.K2.t -> unit
  val get_data : ('k1, 'k2, 'd) Ephemeron.K2.t -> 'd option
  val get_data_copy : ('k1, 'k2, 'd) Ephemeron.K2.t -> 'd option
  val set_data : ('k1, 'k2, 'd) Ephemeron.K2.t -> '-> unit
  val unset_data : ('k1, 'k2, 'd) Ephemeron.K2.t -> unit
  val check_data : ('k1, 'k2, 'd) Ephemeron.K2.t -> bool
  val blit_data :
    ('k1, 'k2, 'd) Ephemeron.K2.t -> ('k1, 'k2, 'd) Ephemeron.K2.t -> unit
  module Make :
    functor (H1 : Hashtbl.HashedType) (H2 : Hashtbl.HashedType->
      sig
        type key = H1.t * H2.t
        type 'a t
        val create : int -> 'a t
        val clear : 'a t -> unit
        val reset : 'a t -> unit
        val copy : 'a t -> 'a t
        val add : 'a t -> key -> '-> unit
        val remove : 'a t -> key -> unit
        val find : 'a t -> key -> 'a
        val find_opt : 'a t -> key -> 'a option
        val find_all : 'a t -> key -> 'a list
        val replace : 'a t -> key -> '-> unit
        val mem : 'a t -> key -> bool
        val iter : (key -> '-> unit) -> 'a t -> unit
        val filter_map_inplace : (key -> '-> 'a option) -> 'a t -> unit
        val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
        val length : 'a t -> int
        val stats : 'a t -> Hashtbl.statistics
        val clean : 'a t -> unit
        val stats_alive : 'a t -> Hashtbl.statistics
      end
  module MakeSeeded :
    functor
      (H1 : Hashtbl.SeededHashedType) (H2 : Hashtbl.SeededHashedType->
      sig
        type key = H1.t * H2.t
        type 'a t
        val create : ?random:bool -> int -> 'a t
        val clear : 'a t -> unit
        val reset : 'a t -> unit
        val copy : 'a t -> 'a t
        val add : 'a t -> key -> '-> unit
        val remove : 'a t -> key -> unit
        val find : 'a t -> key -> 'a
        val find_opt : 'a t -> key -> 'a option
        val find_all : 'a t -> key -> 'a list
        val replace : 'a t -> key -> '-> unit
        val mem : 'a t -> key -> bool
        val iter : (key -> '-> unit) -> 'a t -> unit
        val filter_map_inplace : (key -> '-> 'a option) -> 'a t -> unit
        val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
        val length : 'a t -> int
        val stats : 'a t -> Hashtbl.statistics
        val clean : 'a t -> unit
        val stats_alive : 'a t -> Hashtbl.statistics
      end
end
ocaml-doc-4.05/ocaml.html/libref/type_Queue.html0000644000175000017500000002467713131636450020574 0ustar mehdimehdi Queue sig
  type 'a t
  exception Empty
  val create : unit -> 'Queue.t
  val add : '-> 'Queue.t -> unit
  val push : '-> 'Queue.t -> unit
  val take : 'Queue.t -> 'a
  val pop : 'Queue.t -> 'a
  val peek : 'Queue.t -> 'a
  val top : 'Queue.t -> 'a
  val clear : 'Queue.t -> unit
  val copy : 'Queue.t -> 'Queue.t
  val is_empty : 'Queue.t -> bool
  val length : 'Queue.t -> int
  val iter : ('-> unit) -> 'Queue.t -> unit
  val fold : ('-> '-> 'b) -> '-> 'Queue.t -> 'b
  val transfer : 'Queue.t -> 'Queue.t -> unit
end
ocaml-doc-4.05/ocaml.html/libref/type_Scanf.html0000644000175000017500000004411113131636450020523 0ustar mehdimehdi Scanf sig
  module Scanning :
    sig
      type in_channel
      type scanbuf = Scanf.Scanning.in_channel
      val stdin : Scanf.Scanning.in_channel
      type file_name = string
      val open_in : Scanf.Scanning.file_name -> Scanf.Scanning.in_channel
      val open_in_bin : Scanf.Scanning.file_name -> Scanf.Scanning.in_channel
      val close_in : Scanf.Scanning.in_channel -> unit
      val from_file : Scanf.Scanning.file_name -> Scanf.Scanning.in_channel
      val from_file_bin : string -> Scanf.Scanning.in_channel
      val from_string : string -> Scanf.Scanning.in_channel
      val from_function : (unit -> char) -> Scanf.Scanning.in_channel
      val from_channel : Pervasives.in_channel -> Scanf.Scanning.in_channel
      val end_of_input : Scanf.Scanning.in_channel -> bool
      val beginning_of_input : Scanf.Scanning.in_channel -> bool
      val name_of_input : Scanf.Scanning.in_channel -> string
      val stdib : Scanf.Scanning.in_channel
    end
  type ('a, 'b, 'c, 'd) scanner =
      ('a, Scanf.Scanning.in_channel, 'b, 'c, '-> 'd, 'd)
      Pervasives.format6 -> 'c
  exception Scan_failure of string
  val bscanf : Scanf.Scanning.in_channel -> ('a, 'b, 'c, 'd) Scanf.scanner
  val sscanf : string -> ('a, 'b, 'c, 'd) Scanf.scanner
  val scanf : ('a, 'b, 'c, 'd) Scanf.scanner
  val kscanf :
    Scanf.Scanning.in_channel ->
    (Scanf.Scanning.in_channel -> exn -> 'd) ->
    ('a, 'b, 'c, 'd) Scanf.scanner
  val ksscanf :
    string ->
    (Scanf.Scanning.in_channel -> exn -> 'd) ->
    ('a, 'b, 'c, 'd) Scanf.scanner
  val bscanf_format :
    Scanf.Scanning.in_channel ->
    ('a, 'b, 'c, 'd, 'e, 'f) Pervasives.format6 ->
    (('a, 'b, 'c, 'd, 'e, 'f) Pervasives.format6 -> 'g) -> 'g
  val sscanf_format :
    string ->
    ('a, 'b, 'c, 'd, 'e, 'f) Pervasives.format6 ->
    (('a, 'b, 'c, 'd, 'e, 'f) Pervasives.format6 -> 'g) -> 'g
  val format_from_string :
    string ->
    ('a, 'b, 'c, 'd, 'e, 'f) Pervasives.format6 ->
    ('a, 'b, 'c, 'd, 'e, 'f) Pervasives.format6
  val unescaped : string -> string
  val fscanf : Pervasives.in_channel -> ('a, 'b, 'c, 'd) Scanf.scanner
  val kfscanf :
    Pervasives.in_channel ->
    (Scanf.Scanning.in_channel -> exn -> 'd) ->
    ('a, 'b, 'c, 'd) Scanf.scanner
end
ocaml-doc-4.05/ocaml.html/libref/type_Map.OrderedType.html0000644000175000017500000001545513131636445022450 0ustar mehdimehdi Map.OrderedType sig type t val compare : Map.OrderedType.t -> Map.OrderedType.t -> int endocaml-doc-4.05/ocaml.html/libref/index_classes.html0000644000175000017500000001473413131636452021266 0ustar mehdimehdi Index of classes

Index of classes

ocaml-doc-4.05/ocaml.html/libref/Ephemeron.K1.MakeSeeded.html0000644000175000017500000002132513131636443022616 0ustar mehdimehdi Ephemeron.K1.MakeSeeded

Functor Ephemeron.K1.MakeSeeded

module MakeSeeded: 
functor (H : Hashtbl.SeededHashedType-> Ephemeron.SeededS with type key = H.t
Functor building an implementation of a weak hash table. The seed is similar to the one of Hashtbl.MakeSeeded.
Parameters:
H : Hashtbl.SeededHashedType

include Hashtbl.SeededS
val clean : 'a t -> unit
remove all dead bindings. Done automatically during automatic resizing.
val stats_alive : 'a t -> Hashtbl.statistics
same as Hashtbl.SeededS.stats but only count the alive bindings
ocaml-doc-4.05/ocaml.html/libref/Bigarray.html0000644000175000017500000013130013131636441020165 0ustar mehdimehdi Bigarray

Module Bigarray

module Bigarray: sig .. end
Large, multi-dimensional, numerical arrays.

This module implements multi-dimensional arrays of integers and floating-point numbers, thereafter referred to as 'big arrays'. The implementation allows efficient sharing of large numerical arrays between OCaml code and C or Fortran numerical libraries.

Concerning the naming conventions, users of this module are encouraged to do open Bigarray in their source, then refer to array types and operations via short dot notation, e.g. Array1.t or Array2.sub.

Big arrays support all the OCaml ad-hoc polymorphic operations:




Element kinds


Big arrays can contain elements of the following kinds: Each element kind is represented at the type level by one of the *_elt types defined below (defined with a single constructor instead of abstract types for technical injectivity reasons).
type float32_elt = 
| Float32_elt
type float64_elt = 
| Float64_elt
type int8_signed_elt = 
| Int8_signed_elt
type int8_unsigned_elt = 
| Int8_unsigned_elt
type int16_signed_elt = 
| Int16_signed_elt
type int16_unsigned_elt = 
| Int16_unsigned_elt
type int32_elt = 
| Int32_elt
type int64_elt = 
| Int64_elt
type int_elt = 
| Int_elt
type nativeint_elt = 
| Nativeint_elt
type complex32_elt = 
| Complex32_elt
type complex64_elt = 
| Complex64_elt
type ('a, 'b) kind = 
| Float32 : (float, float32_elt) kind
| Float64 : (float, float64_elt) kind
| Int8_signed : (int, int8_signed_elt) kind
| Int8_unsigned : (int, int8_unsigned_elt) kind
| Int16_signed : (int, int16_signed_elt) kind
| Int16_unsigned : (int, int16_unsigned_elt) kind
| Int32 : (int32, int32_elt) kind
| Int64 : (int64, int64_elt) kind
| Int : (int, int_elt) kind
| Nativeint : (nativeint, nativeint_elt) kind
| Complex32 : (Complex.t, complex32_elt) kind
| Complex64 : (Complex.t, complex64_elt) kind
| Char : (char, int8_unsigned_elt) kind
To each element kind is associated an OCaml type, which is the type of OCaml values that can be stored in the big array or read back from it. This type is not necessarily the same as the type of the array elements proper: for instance, a big array whose elements are of kind float32_elt contains 32-bit single precision floats, but reading or writing one of its elements from OCaml uses the OCaml type float, which is 64-bit double precision floats.

The GADT type ('a, 'b) kind captures this association of an OCaml type 'a for values read or written in the big array, and of an element kind 'b which represents the actual contents of the big array. Its constructors list all possible associations of OCaml types with element kinds, and are re-exported below for backward-compatibility reasons.

Using a generalized algebraic datatype (GADT) here allows to write well-typed polymorphic functions whose return type depend on the argument type, such as:

  let zero : type a b. (a, b) kind -> a = function
    | Float32 -> 0.0 | Complex32 -> Complex.zero
    | Float64 -> 0.0 | Complex64 -> Complex.zero
    | Int8_signed -> 0 | Int8_unsigned -> 0
    | Int16_signed -> 0 | Int16_unsigned -> 0
    | Int32 -> 0l | Int64 -> 0L
    | Int -> 0 | Nativeint -> 0n
    | Char -> '\000'

val float32 : (float, float32_elt) kind
See Bigarray.char.
val float64 : (float, float64_elt) kind
See Bigarray.char.
val complex32 : (Complex.t, complex32_elt) kind
See Bigarray.char.
val complex64 : (Complex.t, complex64_elt) kind
See Bigarray.char.
val int8_signed : (int, int8_signed_elt) kind
See Bigarray.char.
val int8_unsigned : (int, int8_unsigned_elt) kind
See Bigarray.char.
val int16_signed : (int, int16_signed_elt) kind
See Bigarray.char.
val int16_unsigned : (int, int16_unsigned_elt) kind
See Bigarray.char.
val int : (int, int_elt) kind
See Bigarray.char.
val int32 : (int32, int32_elt) kind
See Bigarray.char.
val int64 : (int64, int64_elt) kind
See Bigarray.char.
val nativeint : (nativeint, nativeint_elt) kind
See Bigarray.char.
val char : (char, int8_unsigned_elt) kind
As shown by the types of the values above, big arrays of kind float32_elt and float64_elt are accessed using the OCaml type float. Big arrays of complex kinds complex32_elt, complex64_elt are accessed with the OCaml type Complex.t. Big arrays of integer kinds are accessed using the smallest OCaml integer type large enough to represent the array elements: int for 8- and 16-bit integer bigarrays, as well as OCaml-integer bigarrays; int32 for 32-bit integer bigarrays; int64 for 64-bit integer bigarrays; and nativeint for platform-native integer bigarrays. Finally, big arrays of kind int8_unsigned_elt can also be accessed as arrays of characters instead of arrays of small integers, by using the kind value char instead of int8_unsigned.
val kind_size_in_bytes : ('a, 'b) kind -> int
kind_size_in_bytes k is the number of bytes used to store an element of type k.
Since 4.03.0

Array layouts

type c_layout = 
| C_layout_typ
See Bigarray.fortran_layout.
type fortran_layout = 
| Fortran_layout_typ
To facilitate interoperability with existing C and Fortran code, this library supports two different memory layouts for big arrays, one compatible with the C conventions, the other compatible with the Fortran conventions.

In the C-style layout, array indices start at 0, and multi-dimensional arrays are laid out in row-major format. That is, for a two-dimensional array, all elements of row 0 are contiguous in memory, followed by all elements of row 1, etc. In other terms, the array elements at (x,y) and (x, y+1) are adjacent in memory.

In the Fortran-style layout, array indices start at 1, and multi-dimensional arrays are laid out in column-major format. That is, for a two-dimensional array, all elements of column 0 are contiguous in memory, followed by all elements of column 1, etc. In other terms, the array elements at (x,y) and (x+1, y) are adjacent in memory.

Each layout style is identified at the type level by the phantom types Bigarray.c_layout and Bigarray.fortran_layout respectively.


Supported layouts

The GADT type 'a layout represents one of the two supported memory layouts: C-style or Fortran-style. Its constructors are re-exported as values below for backward-compatibility reasons.

type 'a layout = 
| C_layout : c_layout layout
| Fortran_layout : fortran_layout layout
val c_layout : c_layout layout
val fortran_layout : fortran_layout layout

Generic arrays (of arbitrarily many dimensions)

module Genarray: sig .. end

Zero-dimensional arrays

module Array0: sig .. end
Zero-dimensional arrays.

One-dimensional arrays

module Array1: sig .. end
One-dimensional arrays.

Two-dimensional arrays

module Array2: sig .. end
Two-dimensional arrays.

Three-dimensional arrays

module Array3: sig .. end
Three-dimensional arrays.

Coercions between generic big arrays and fixed-dimension big arrays

val genarray_of_array0 : ('a, 'b, 'c) Array0.t -> ('a, 'b, 'c) Genarray.t
Return the generic big array corresponding to the given zero-dimensional big array.
Since 4.05.0
val genarray_of_array1 : ('a, 'b, 'c) Array1.t -> ('a, 'b, 'c) Genarray.t
Return the generic big array corresponding to the given one-dimensional big array.
val genarray_of_array2 : ('a, 'b, 'c) Array2.t -> ('a, 'b, 'c) Genarray.t
Return the generic big array corresponding to the given two-dimensional big array.
val genarray_of_array3 : ('a, 'b, 'c) Array3.t -> ('a, 'b, 'c) Genarray.t
Return the generic big array corresponding to the given three-dimensional big array.
val array0_of_genarray : ('a, 'b, 'c) Genarray.t -> ('a, 'b, 'c) Array0.t
Return the zero-dimensional big array corresponding to the given generic big array. Raise Invalid_argument if the generic big array does not have exactly zero dimension.
Since 4.05.0
val array1_of_genarray : ('a, 'b, 'c) Genarray.t -> ('a, 'b, 'c) Array1.t
Return the one-dimensional big array corresponding to the given generic big array. Raise Invalid_argument if the generic big array does not have exactly one dimension.
val array2_of_genarray : ('a, 'b, 'c) Genarray.t -> ('a, 'b, 'c) Array2.t
Return the two-dimensional big array corresponding to the given generic big array. Raise Invalid_argument if the generic big array does not have exactly two dimensions.
val array3_of_genarray : ('a, 'b, 'c) Genarray.t -> ('a, 'b, 'c) Array3.t
Return the three-dimensional big array corresponding to the given generic big array. Raise Invalid_argument if the generic big array does not have exactly three dimensions.

Re-shaping big arrays

val reshape : ('a, 'b, 'c) Genarray.t ->
int array -> ('a, 'b, 'c) Genarray.t
reshape b [|d1;...;dN|] converts the big array b to a N-dimensional array of dimensions d1...dN. The returned array and the original array b share their data and have the same layout. For instance, assuming that b is a one-dimensional array of dimension 12, reshape b [|3;4|] returns a two-dimensional array b' of dimensions 3 and 4. If b has C layout, the element (x,y) of b' corresponds to the element x * 3 + y of b. If b has Fortran layout, the element (x,y) of b' corresponds to the element x + (y - 1) * 4 of b. The returned big array must have exactly the same number of elements as the original big array b. That is, the product of the dimensions of b must be equal to i1 * ... * iN. Otherwise, Invalid_argument is raised.
val reshape_0 : ('a, 'b, 'c) Genarray.t -> ('a, 'b, 'c) Array0.t
Specialized version of Bigarray.reshape for reshaping to zero-dimensional arrays.
Since 4.05.0
val reshape_1 : ('a, 'b, 'c) Genarray.t -> int -> ('a, 'b, 'c) Array1.t
Specialized version of Bigarray.reshape for reshaping to one-dimensional arrays.
val reshape_2 : ('a, 'b, 'c) Genarray.t ->
int -> int -> ('a, 'b, 'c) Array2.t
Specialized version of Bigarray.reshape for reshaping to two-dimensional arrays.
val reshape_3 : ('a, 'b, 'c) Genarray.t ->
int -> int -> int -> ('a, 'b, 'c) Array3.t
Specialized version of Bigarray.reshape for reshaping to three-dimensional arrays.
ocaml-doc-4.05/ocaml.html/libref/Arg_helper.html0000644000175000017500000002065513131636440020506 0ustar mehdimehdi Arg_helper

Module Arg_helper

module Arg_helper: sig .. end
Decipher command line arguments of the form <value> | <key>=<value>,... (as used for example for the specification of inlining parameters varying by simplification round).

module Make: 
functor (S : sig
module Key: sig .. end
module Value: sig .. end
end-> sig .. end
ocaml-doc-4.05/ocaml.html/libref/Timings.html0000644000175000017500000004443013131636451020047 0ustar mehdimehdi Timings

Module Timings

module Timings: sig .. end
Compiler performance recording

type file = string 
type source_provenance = 
| File of file
| Pack of string
| Startup
| Toplevel
type compiler_pass = 
| All
| Parsing of file
| Parser of file
| Dash_pp of file
| Dash_ppx of file
| Typing of file
| Transl of file
| Generate of file
| Assemble of source_provenance
| Clambda of source_provenance
| Cmm of source_provenance
| Compile_phrases of source_provenance
| Selection of source_provenance
| Comballoc of source_provenance
| CSE of source_provenance
| Liveness of source_provenance
| Deadcode of source_provenance
| Spill of source_provenance
| Split of source_provenance
| Regalloc of source_provenance
| Linearize of source_provenance
| Scheduling of source_provenance
| Emit of source_provenance
| Flambda_pass of string * source_provenance
val reset : unit -> unit
erase all recorded times
val get : compiler_pass -> float option
returns the runtime in seconds of a completed pass
val time_call : compiler_pass -> (unit -> 'a) -> 'a
time_call pass f calls f and records its runtime.
val time : compiler_pass -> ('a -> 'b) -> 'a -> 'b
time pass f arg records the runtime of f arg
val accumulate_time : compiler_pass -> ('a -> 'b) -> 'a -> 'b
Like time for passes that can run multiple times
val print : Format.formatter -> unit
Prints all recorded timings to the formatter.
ocaml-doc-4.05/ocaml.html/libref/Obj.Ephemeron.html0000644000175000017500000003115413131636447021074 0ustar mehdimehdi Obj.Ephemeron

Module Obj.Ephemeron

module Ephemeron: sig .. end


Ephemeron with arbitrary arity and untyped
type obj_t = Obj.t 
alias for Obj.t
type t 
an ephemeron cf Ephemeron
val create : int -> t
create n returns an ephemeron with n keys. All the keys and the data are initially empty
val length : t -> int
return the number of keys
val get_key : t -> int -> obj_t option
Same as Ephemeron.K1.get_key
val get_key_copy : t -> int -> obj_t option
Same as Ephemeron.K1.get_key_copy
val set_key : t -> int -> obj_t -> unit
Same as Ephemeron.K1.set_key
val unset_key : t -> int -> unit
Same as Ephemeron.K1.unset_key
val check_key : t -> int -> bool
Same as Ephemeron.K1.check_key
val blit_key : t -> int -> t -> int -> int -> unit
Same as Ephemeron.K1.blit_key
val get_data : t -> obj_t option
Same as Ephemeron.K1.get_data
val get_data_copy : t -> obj_t option
Same as Ephemeron.K1.get_data_copy
val set_data : t -> obj_t -> unit
Same as Ephemeron.K1.set_data
val unset_data : t -> unit
Same as Ephemeron.K1.unset_data
val check_data : t -> bool
Same as Ephemeron.K1.check_data
val blit_data : t -> t -> unit
Same as Ephemeron.K1.blit_data
ocaml-doc-4.05/ocaml.html/libref/Weak.html0000644000175000017500000004142213131636452017323 0ustar mehdimehdi Weak

Module Weak

module Weak: sig .. end
Arrays of weak pointers and hash sets of weak pointers.


Low-level functions

type 'a t 
The type of arrays of weak pointers (weak arrays). A weak pointer is a value that the garbage collector may erase whenever the value is not used any more (through normal pointers) by the program. Note that finalisation functions are run after the weak pointers are erased.

A weak pointer is said to be full if it points to a value, empty if the value was erased by the GC.

Notes:


val create : int -> 'a t
Weak.create n returns a new weak array of length n. All the pointers are initially empty. Raise Invalid_argument if n is negative or greater than Sys.max_array_length-1.
val length : 'a t -> int
Weak.length ar returns the length (number of elements) of ar.
val set : 'a t -> int -> 'a option -> unit
Weak.set ar n (Some el) sets the nth cell of ar to be a (full) pointer to el; Weak.set ar n None sets the nth cell of ar to empty. Raise Invalid_argument "Weak.set" if n is not in the range 0 to Weak.length a - 1.
val get : 'a t -> int -> 'a option
Weak.get ar n returns None if the nth cell of ar is empty, Some x (where x is the value) if it is full. Raise Invalid_argument "Weak.get" if n is not in the range 0 to Weak.length a - 1.
val get_copy : 'a t -> int -> 'a option
Weak.get_copy ar n returns None if the nth cell of ar is empty, Some x (where x is a (shallow) copy of the value) if it is full. In addition to pitfalls with mutable values, the interesting difference with get is that get_copy does not prevent the incremental GC from erasing the value in its current cycle (get may delay the erasure to the next GC cycle). Raise Invalid_argument "Weak.get" if n is not in the range 0 to Weak.length a - 1.

If the element is a custom block it is not copied.

val check : 'a t -> int -> bool
Weak.check ar n returns true if the nth cell of ar is full, false if it is empty. Note that even if Weak.check ar n returns true, a subsequent Weak.get ar n can return None.
val fill : 'a t -> int -> int -> 'a option -> unit
Weak.fill ar ofs len el sets to el all pointers of ar from ofs to ofs + len - 1. Raise Invalid_argument "Weak.fill" if ofs and len do not designate a valid subarray of a.
val blit : 'a t -> int -> 'a t -> int -> int -> unit
Weak.blit ar1 off1 ar2 off2 len copies len weak pointers from ar1 (starting at off1) to ar2 (starting at off2). It works correctly even if ar1 and ar2 are the same. Raise Invalid_argument "Weak.blit" if off1 and len do not designate a valid subarray of ar1, or if off2 and len do not designate a valid subarray of ar2.

Weak hash sets


A weak hash set is a hashed set of values. Each value may magically disappear from the set when it is not used by the rest of the program any more. This is normally used to share data structures without inducing memory leaks. Weak hash sets are defined on values from a Hashtbl.HashedType module; the equal relation and hash function are taken from that module. We will say that v is an instance of x if equal x v is true.

The equal relation must be able to work on a shallow copy of the values and give the same result as with the values themselves.

module type S = sig .. end
The output signature of the functor Weak.Make.
module Make: 
functor (H : Hashtbl.HashedType-> S with type data = H.t
Functor building an implementation of the weak hash set structure.
ocaml-doc-4.05/ocaml.html/libref/type_Ratio.html0000644000175000017500000005255113131636450020556 0ustar mehdimehdi Ratio sig
  type ratio
  val null_denominator : Ratio.ratio -> bool
  val numerator_ratio : Ratio.ratio -> Big_int.big_int
  val denominator_ratio : Ratio.ratio -> Big_int.big_int
  val sign_ratio : Ratio.ratio -> int
  val normalize_ratio : Ratio.ratio -> Ratio.ratio
  val cautious_normalize_ratio : Ratio.ratio -> Ratio.ratio
  val cautious_normalize_ratio_when_printing : Ratio.ratio -> Ratio.ratio
  val create_ratio : Big_int.big_int -> Big_int.big_int -> Ratio.ratio
  val create_normalized_ratio :
    Big_int.big_int -> Big_int.big_int -> Ratio.ratio
  val is_normalized_ratio : Ratio.ratio -> bool
  val report_sign_ratio : Ratio.ratio -> Big_int.big_int -> Big_int.big_int
  val abs_ratio : Ratio.ratio -> Ratio.ratio
  val is_integer_ratio : Ratio.ratio -> bool
  val add_ratio : Ratio.ratio -> Ratio.ratio -> Ratio.ratio
  val minus_ratio : Ratio.ratio -> Ratio.ratio
  val add_int_ratio : int -> Ratio.ratio -> Ratio.ratio
  val add_big_int_ratio : Big_int.big_int -> Ratio.ratio -> Ratio.ratio
  val sub_ratio : Ratio.ratio -> Ratio.ratio -> Ratio.ratio
  val mult_ratio : Ratio.ratio -> Ratio.ratio -> Ratio.ratio
  val mult_int_ratio : int -> Ratio.ratio -> Ratio.ratio
  val mult_big_int_ratio : Big_int.big_int -> Ratio.ratio -> Ratio.ratio
  val square_ratio : Ratio.ratio -> Ratio.ratio
  val inverse_ratio : Ratio.ratio -> Ratio.ratio
  val div_ratio : Ratio.ratio -> Ratio.ratio -> Ratio.ratio
  val integer_ratio : Ratio.ratio -> Big_int.big_int
  val floor_ratio : Ratio.ratio -> Big_int.big_int
  val round_ratio : Ratio.ratio -> Big_int.big_int
  val ceiling_ratio : Ratio.ratio -> Big_int.big_int
  val eq_ratio : Ratio.ratio -> Ratio.ratio -> bool
  val compare_ratio : Ratio.ratio -> Ratio.ratio -> int
  val lt_ratio : Ratio.ratio -> Ratio.ratio -> bool
  val le_ratio : Ratio.ratio -> Ratio.ratio -> bool
  val gt_ratio : Ratio.ratio -> Ratio.ratio -> bool
  val ge_ratio : Ratio.ratio -> Ratio.ratio -> bool
  val max_ratio : Ratio.ratio -> Ratio.ratio -> Ratio.ratio
  val min_ratio : Ratio.ratio -> Ratio.ratio -> Ratio.ratio
  val eq_big_int_ratio : Big_int.big_int -> Ratio.ratio -> bool
  val compare_big_int_ratio : Big_int.big_int -> Ratio.ratio -> int
  val lt_big_int_ratio : Big_int.big_int -> Ratio.ratio -> bool
  val le_big_int_ratio : Big_int.big_int -> Ratio.ratio -> bool
  val gt_big_int_ratio : Big_int.big_int -> Ratio.ratio -> bool
  val ge_big_int_ratio : Big_int.big_int -> Ratio.ratio -> bool
  val int_of_ratio : Ratio.ratio -> int
  val ratio_of_int : int -> Ratio.ratio
  val ratio_of_nat : Nat.nat -> Ratio.ratio
  val nat_of_ratio : Ratio.ratio -> Nat.nat
  val ratio_of_big_int : Big_int.big_int -> Ratio.ratio
  val big_int_of_ratio : Ratio.ratio -> Big_int.big_int
  val div_int_ratio : int -> Ratio.ratio -> Ratio.ratio
  val div_ratio_int : Ratio.ratio -> int -> Ratio.ratio
  val div_big_int_ratio : Big_int.big_int -> Ratio.ratio -> Ratio.ratio
  val div_ratio_big_int : Ratio.ratio -> Big_int.big_int -> Ratio.ratio
  val approx_ratio_fix : int -> Ratio.ratio -> string
  val approx_ratio_exp : int -> Ratio.ratio -> string
  val float_of_rational_string : Ratio.ratio -> string
  val string_of_ratio : Ratio.ratio -> string
  val ratio_of_string : string -> Ratio.ratio
  val float_of_ratio : Ratio.ratio -> float
  val power_ratio_positive_int : Ratio.ratio -> int -> Ratio.ratio
  val power_ratio_positive_big_int :
    Ratio.ratio -> Big_int.big_int -> Ratio.ratio
end
ocaml-doc-4.05/ocaml.html/libref/type_Buffer.html0000644000175000017500000002606613131636442020714 0ustar mehdimehdi Buffer sig
  type t
  val create : int -> Buffer.t
  val contents : Buffer.t -> string
  val to_bytes : Buffer.t -> bytes
  val sub : Buffer.t -> int -> int -> string
  val blit : Buffer.t -> int -> bytes -> int -> int -> unit
  val nth : Buffer.t -> int -> char
  val length : Buffer.t -> int
  val clear : Buffer.t -> unit
  val reset : Buffer.t -> unit
  val add_char : Buffer.t -> char -> unit
  val add_string : Buffer.t -> string -> unit
  val add_bytes : Buffer.t -> bytes -> unit
  val add_substring : Buffer.t -> string -> int -> int -> unit
  val add_subbytes : Buffer.t -> bytes -> int -> int -> unit
  val add_substitute : Buffer.t -> (string -> string) -> string -> unit
  val add_buffer : Buffer.t -> Buffer.t -> unit
  val add_channel : Buffer.t -> Pervasives.in_channel -> int -> unit
  val output_buffer : Pervasives.out_channel -> Buffer.t -> unit
  val truncate : Buffer.t -> int -> unit
end
ocaml-doc-4.05/ocaml.html/libref/Digest.html0000644000175000017500000003155013131636443017654 0ustar mehdimehdi Digest

Module Digest

module Digest: sig .. end
MD5 message digest.

This module provides functions to compute 128-bit 'digests' of arbitrary-length strings or files. The digests are of cryptographic quality: it is very hard, given a digest, to forge a string having that digest. The algorithm used is MD5. This module should not be used for secure and sensitive cryptographic applications. For these kind of applications more recent and stronger cryptographic primitives should be used instead.


type t = string 
The type of digests: 16-character strings.
val compare : t -> t -> int
The comparison function for 16-character digest, with the same specification as compare and the implementation shared with String.compare. Along with the type t, this function compare allows the module Digest to be passed as argument to the functors Set.Make and Map.Make.
Since 4.00.0
val equal : t -> t -> bool
The equal function for 16-character digest.
Since 4.03.0
val string : string -> t
Return the digest of the given string.
val bytes : bytes -> t
Return the digest of the given byte sequence.
Since 4.02.0
val substring : string -> int -> int -> t
Digest.substring s ofs len returns the digest of the substring of s starting at index ofs and containing len characters.
val subbytes : bytes -> int -> int -> t
Digest.subbytes s ofs len returns the digest of the subsequence of s starting at index ofs and containing len bytes.
Since 4.02.0
val channel : in_channel -> int -> t
If len is nonnegative, Digest.channel ic len reads len characters from channel ic and returns their digest, or raises End_of_file if end-of-file is reached before len characters are read. If len is negative, Digest.channel ic len reads all characters from ic until end-of-file is reached and return their digest.
val file : string -> t
Return the digest of the file whose name is given.
val output : out_channel -> t -> unit
Write a digest on the given output channel.
val input : in_channel -> t
Read a digest from the given input channel.
val to_hex : t -> string
Return the printable hexadecimal representation of the given digest. Raise Invalid_argument if the argument is not exactly 16 bytes.
val from_hex : string -> t
Convert a hexadecimal representation back into the corresponding digest. Raise Invalid_argument if the argument is not exactly 32 hexadecimal characters.
Since 4.00.0
ocaml-doc-4.05/ocaml.html/libref/type_Ephemeron.S.html0000644000175000017500000002625513131636443021627 0ustar mehdimehdi Ephemeron.S sig
  type key
  type 'a t
  val create : int -> 'a t
  val clear : 'a t -> unit
  val reset : 'a t -> unit
  val copy : 'a t -> 'a t
  val add : 'a t -> key -> '-> unit
  val remove : 'a t -> key -> unit
  val find : 'a t -> key -> 'a
  val find_opt : 'a t -> key -> 'a option
  val find_all : 'a t -> key -> 'a list
  val replace : 'a t -> key -> '-> unit
  val mem : 'a t -> key -> bool
  val iter : (key -> '-> unit) -> 'a t -> unit
  val filter_map_inplace : (key -> '-> 'a option) -> 'a t -> unit
  val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
  val length : 'a t -> int
  val stats : 'a t -> Hashtbl.statistics
  val clean : 'a t -> unit
  val stats_alive : 'a t -> Hashtbl.statistics
end
ocaml-doc-4.05/ocaml.html/libref/type_StdLabels.html0000644000175000017500000001601713131636450021352 0ustar mehdimehdi StdLabels sig
  module Array = ArrayLabels
  module Bytes = BytesLabels
  module List = ListLabels
  module String = StringLabels
end
ocaml-doc-4.05/ocaml.html/libref/Condition.html0000644000175000017500000002352013131636443020361 0ustar mehdimehdi Condition

Module Condition

module Condition: sig .. end
Condition variables to synchronize between threads.

Condition variables are used when one thread wants to wait until another thread has finished doing something: the former thread 'waits' on the condition variable, the latter thread 'signals' the condition when it is done. Condition variables should always be protected by a mutex. The typical use is (if D is a shared data structure, m its mutex, and c is a condition variable):

     Mutex.lock m;
     while (* some predicate P over D is not satisfied *) do
       Condition.wait c m
     done;
     (* Modify D *)
     if (* the predicate P over D is now satisfied *) then Condition.signal c;
     Mutex.unlock m
   


type t 
The type of condition variables.
val create : unit -> t
Return a new condition variable.
val wait : t -> Mutex.t -> unit
wait c m atomically unlocks the mutex m and suspends the calling process on the condition variable c. The process will restart after the condition variable c has been signalled. The mutex m is locked again before wait returns.
val signal : t -> unit
signal c restarts one of the processes waiting on the condition variable c.
val broadcast : t -> unit
broadcast c restarts all processes waiting on the condition variable c.
ocaml-doc-4.05/ocaml.html/libref/Misc.MakeHooks.html0000644000175000017500000002052713131636446021215 0ustar mehdimehdi Misc.MakeHooks

Functor Misc.MakeHooks

module MakeHooks: 
functor (M : sig
type t 
end-> HookSig  with type t = M.t
Parameters:
M : sig type t end

type t 
val add_hook : string -> (Misc.hook_info -> t -> t) -> unit
val apply_hooks : Misc.hook_info -> t -> t
ocaml-doc-4.05/ocaml.html/libref/type_Clflags.Float_arg_helper.html0000644000175000017500000001767613131636443024322 0ustar mehdimehdi Clflags.Float_arg_helper sig
  type parsed
  val parse :
    string ->
    string -> Clflags.Float_arg_helper.parsed Pervasives.ref -> unit
  type parse_result = Ok | Parse_failed of exn
  val parse_no_error :
    string ->
    Clflags.Float_arg_helper.parsed Pervasives.ref ->
    Clflags.Float_arg_helper.parse_result
  val get : key:int -> Clflags.Float_arg_helper.parsed -> float
end
ocaml-doc-4.05/ocaml.html/libref/type_Misc.LongString.html0000644000175000017500000002230113131636446022453 0ustar mehdimehdi Misc.LongString sig
  type t = bytes array
  val create : int -> Misc.LongString.t
  val length : Misc.LongString.t -> int
  val get : Misc.LongString.t -> int -> char
  val set : Misc.LongString.t -> int -> char -> unit
  val blit :
    Misc.LongString.t -> int -> Misc.LongString.t -> int -> int -> unit
  val output :
    Pervasives.out_channel -> Misc.LongString.t -> int -> int -> unit
  val unsafe_blit_to_bytes :
    Misc.LongString.t -> int -> bytes -> int -> int -> unit
  val input_bytes : Pervasives.in_channel -> int -> Misc.LongString.t
end
ocaml-doc-4.05/ocaml.html/libref/type_CamlinternalOO.html0000644000175000017500000005634713131636443022360 0ustar mehdimehdi CamlinternalOO sig
  type tag
  type label
  type table
  type meth
  type t
  type obj
  type closure
  val public_method_label : string -> CamlinternalOO.tag
  val new_method : CamlinternalOO.table -> CamlinternalOO.label
  val new_variable : CamlinternalOO.table -> string -> int
  val new_methods_variables :
    CamlinternalOO.table ->
    string array -> string array -> CamlinternalOO.label array
  val get_variable : CamlinternalOO.table -> string -> int
  val get_variables : CamlinternalOO.table -> string array -> int array
  val get_method_label :
    CamlinternalOO.table -> string -> CamlinternalOO.label
  val get_method_labels :
    CamlinternalOO.table -> string array -> CamlinternalOO.label array
  val get_method :
    CamlinternalOO.table -> CamlinternalOO.label -> CamlinternalOO.meth
  val set_method :
    CamlinternalOO.table ->
    CamlinternalOO.label -> CamlinternalOO.meth -> unit
  val set_methods :
    CamlinternalOO.table -> CamlinternalOO.label array -> unit
  val narrow :
    CamlinternalOO.table ->
    string array -> string array -> string array -> unit
  val widen : CamlinternalOO.table -> unit
  val add_initializer :
    CamlinternalOO.table -> (CamlinternalOO.obj -> unit) -> unit
  val dummy_table : CamlinternalOO.table
  val create_table : string array -> CamlinternalOO.table
  val init_class : CamlinternalOO.table -> unit
  val inherits :
    CamlinternalOO.table ->
    string array ->
    string array ->
    string array ->
    CamlinternalOO.t *
    (CamlinternalOO.table -> CamlinternalOO.obj -> Obj.t) *
    CamlinternalOO.t * CamlinternalOO.obj -> bool -> Obj.t array
  val make_class :
    string array ->
    (CamlinternalOO.table -> Obj.t -> CamlinternalOO.t) ->
    CamlinternalOO.t * (CamlinternalOO.table -> Obj.t -> CamlinternalOO.t) *
    (Obj.t -> CamlinternalOO.t) * Obj.t
  type init_table
  val make_class_store :
    string array ->
    (CamlinternalOO.table -> CamlinternalOO.t) ->
    CamlinternalOO.init_table -> unit
  val dummy_class :
    string * int * int ->
    CamlinternalOO.t * (CamlinternalOO.table -> Obj.t -> CamlinternalOO.t) *
    (Obj.t -> CamlinternalOO.t) * Obj.t
  val copy : (< .. > as 'a) -> 'a
  val create_object : CamlinternalOO.table -> CamlinternalOO.obj
  val create_object_opt :
    CamlinternalOO.obj -> CamlinternalOO.table -> CamlinternalOO.obj
  val run_initializers : CamlinternalOO.obj -> CamlinternalOO.table -> unit
  val run_initializers_opt :
    CamlinternalOO.obj ->
    CamlinternalOO.obj -> CamlinternalOO.table -> CamlinternalOO.obj
  val create_object_and_run_initializers :
    CamlinternalOO.obj -> CamlinternalOO.table -> CamlinternalOO.obj
  external send :
    CamlinternalOO.obj -> CamlinternalOO.tag -> CamlinternalOO.t = "%send"
  external sendcache :
    CamlinternalOO.obj ->
    CamlinternalOO.tag -> CamlinternalOO.t -> int -> CamlinternalOO.t
    = "%sendcache"
  external sendself :
    CamlinternalOO.obj -> CamlinternalOO.label -> CamlinternalOO.t
    = "%sendself"
  external get_public_method :
    CamlinternalOO.obj -> CamlinternalOO.tag -> CamlinternalOO.closure
    = "caml_get_public_method" [@@noalloc]
  type tables
  val lookup_tables :
    CamlinternalOO.tables ->
    CamlinternalOO.closure array -> CamlinternalOO.tables
  type impl =
      GetConst
    | GetVar
    | GetEnv
    | GetMeth
    | SetVar
    | AppConst
    | AppVar
    | AppEnv
    | AppMeth
    | AppConstConst
    | AppConstVar
    | AppConstEnv
    | AppConstMeth
    | AppVarConst
    | AppEnvConst
    | AppMethConst
    | MethAppConst
    | MethAppVar
    | MethAppEnv
    | MethAppMeth
    | SendConst
    | SendVar
    | SendEnv
    | SendMeth
    | Closure of CamlinternalOO.closure
  type params = {
    mutable compact_table : bool;
    mutable copy_parent : bool;
    mutable clean_when_copying : bool;
    mutable retry_count : int;
    mutable bucket_small_size : int;
  }
  val params : CamlinternalOO.params
  type stats = { classes : int; methods : int; inst_vars : int; }
  val stats : unit -> CamlinternalOO.stats
end
ocaml-doc-4.05/ocaml.html/libref/Ephemeron.GenHashTable.html0000644000175000017500000002650713131636443022651 0ustar mehdimehdi Ephemeron.GenHashTable

Module Ephemeron.GenHashTable

module GenHashTable: sig .. end


Define a hash table on generic containers which have a notion of "death" and aliveness. If a binding is dead the hash table can automatically remove it.
type equal = 
| ETrue
| EFalse
| EDead (*
the container is dead
*)
module MakeSeeded: 
functor (H : sig
type t 
keys
type 'a container 
contains keys and the associated data
val hash : int -> t -> int
same as Hashtbl.SeededHashedType
val equal : 'a container ->
t -> Ephemeron.GenHashTable.equal
equality predicate used to compare a key with the one in a container. Can return EDead if the keys in the container are dead
val create : t ->
'a -> 'a container
create key data creates a container from some initials keys and one data
val get_key : 'a container ->
t option
get_key cont returns the keys if they are all alive
val get_data : 'a container -> 'a option
get_data cont returns the data if it is alive
val set_key_data : 'a container ->
t -> 'a -> unit
set_key_data cont modifies the key and data
val check_key : 'a container -> bool
check_key cont checks if all the keys contained in the data are alive
end-> Ephemeron.SeededS  with type key = H.t
Functor building an implementation of an hash table that use the container for keeping the information given
ocaml-doc-4.05/ocaml.html/libref/type_Spacetime.Series.html0000644000175000017500000001651613131636450022644 0ustar mehdimehdi Spacetime.Series sig
  type t
  val create : path:string -> Spacetime.Series.t
  val save_event :
    ?time:float -> Spacetime.Series.t -> event_name:string -> unit
  val save_and_close : ?time:float -> Spacetime.Series.t -> unit
end
ocaml-doc-4.05/ocaml.html/libref/type_Parsing.html0000644000175000017500000002514413131636450021101 0ustar mehdimehdi Parsing sig
  val symbol_start : unit -> int
  val symbol_end : unit -> int
  val rhs_start : int -> int
  val rhs_end : int -> int
  val symbol_start_pos : unit -> Lexing.position
  val symbol_end_pos : unit -> Lexing.position
  val rhs_start_pos : int -> Lexing.position
  val rhs_end_pos : int -> Lexing.position
  val clear_parser : unit -> unit
  exception Parse_error
  val set_trace : bool -> bool
  type parser_env
  type parse_tables = {
    actions : (Parsing.parser_env -> Obj.t) array;
    transl_const : int array;
    transl_block : int array;
    lhs : string;
    len : string;
    defred : string;
    dgoto : string;
    sindex : string;
    rindex : string;
    gindex : string;
    tablesize : int;
    table : string;
    check : string;
    error_function : string -> unit;
    names_const : string;
    names_block : string;
  }
  exception YYexit of Obj.t
  val yyparse :
    Parsing.parse_tables ->
    int -> (Lexing.lexbuf -> 'a) -> Lexing.lexbuf -> 'b
  val peek_val : Parsing.parser_env -> int -> 'a
  val is_current_lookahead : '-> bool
  val parse_error : string -> unit
end
ocaml-doc-4.05/ocaml.html/libref/type_Unix.html0000644000175000017500000022503313131636451020421 0ustar mehdimehdi Unix sig
  type error =
      E2BIG
    | EACCES
    | EAGAIN
    | EBADF
    | EBUSY
    | ECHILD
    | EDEADLK
    | EDOM
    | EEXIST
    | EFAULT
    | EFBIG
    | EINTR
    | EINVAL
    | EIO
    | EISDIR
    | EMFILE
    | EMLINK
    | ENAMETOOLONG
    | ENFILE
    | ENODEV
    | ENOENT
    | ENOEXEC
    | ENOLCK
    | ENOMEM
    | ENOSPC
    | ENOSYS
    | ENOTDIR
    | ENOTEMPTY
    | ENOTTY
    | ENXIO
    | EPERM
    | EPIPE
    | ERANGE
    | EROFS
    | ESPIPE
    | ESRCH
    | EXDEV
    | EWOULDBLOCK
    | EINPROGRESS
    | EALREADY
    | ENOTSOCK
    | EDESTADDRREQ
    | EMSGSIZE
    | EPROTOTYPE
    | ENOPROTOOPT
    | EPROTONOSUPPORT
    | ESOCKTNOSUPPORT
    | EOPNOTSUPP
    | EPFNOSUPPORT
    | EAFNOSUPPORT
    | EADDRINUSE
    | EADDRNOTAVAIL
    | ENETDOWN
    | ENETUNREACH
    | ENETRESET
    | ECONNABORTED
    | ECONNRESET
    | ENOBUFS
    | EISCONN
    | ENOTCONN
    | ESHUTDOWN
    | ETOOMANYREFS
    | ETIMEDOUT
    | ECONNREFUSED
    | EHOSTDOWN
    | EHOSTUNREACH
    | ELOOP
    | EOVERFLOW
    | EUNKNOWNERR of int
  exception Unix_error of Unix.error * string * string
  val error_message : Unix.error -> string
  val handle_unix_error : ('-> 'b) -> '-> 'b
  val environment : unit -> string array
  val getenv : string -> string
  val putenv : string -> string -> unit
  type process_status = WEXITED of int | WSIGNALED of int | WSTOPPED of int
  type wait_flag = WNOHANG | WUNTRACED
  val execv : string -> string array -> 'a
  val execve : string -> string array -> string array -> 'a
  val execvp : string -> string array -> 'a
  val execvpe : string -> string array -> string array -> 'a
  val fork : unit -> int
  val wait : unit -> int * Unix.process_status
  val waitpid : Unix.wait_flag list -> int -> int * Unix.process_status
  val system : string -> Unix.process_status
  val getpid : unit -> int
  val getppid : unit -> int
  val nice : int -> int
  type file_descr
  val stdin : Unix.file_descr
  val stdout : Unix.file_descr
  val stderr : Unix.file_descr
  type open_flag =
      O_RDONLY
    | O_WRONLY
    | O_RDWR
    | O_NONBLOCK
    | O_APPEND
    | O_CREAT
    | O_TRUNC
    | O_EXCL
    | O_NOCTTY
    | O_DSYNC
    | O_SYNC
    | O_RSYNC
    | O_SHARE_DELETE
    | O_CLOEXEC
    | O_KEEPEXEC
  type file_perm = int
  val openfile :
    string -> Unix.open_flag list -> Unix.file_perm -> Unix.file_descr
  val close : Unix.file_descr -> unit
  val read : Unix.file_descr -> bytes -> int -> int -> int
  val write : Unix.file_descr -> bytes -> int -> int -> int
  val single_write : Unix.file_descr -> bytes -> int -> int -> int
  val write_substring : Unix.file_descr -> string -> int -> int -> int
  val single_write_substring : Unix.file_descr -> string -> int -> int -> int
  val in_channel_of_descr : Unix.file_descr -> Pervasives.in_channel
  val out_channel_of_descr : Unix.file_descr -> Pervasives.out_channel
  val descr_of_in_channel : Pervasives.in_channel -> Unix.file_descr
  val descr_of_out_channel : Pervasives.out_channel -> Unix.file_descr
  type seek_command = SEEK_SET | SEEK_CUR | SEEK_END
  val lseek : Unix.file_descr -> int -> Unix.seek_command -> int
  val truncate : string -> int -> unit
  val ftruncate : Unix.file_descr -> int -> unit
  type file_kind = S_REG | S_DIR | S_CHR | S_BLK | S_LNK | S_FIFO | S_SOCK
  type stats = {
    st_dev : int;
    st_ino : int;
    st_kind : Unix.file_kind;
    st_perm : Unix.file_perm;
    st_nlink : int;
    st_uid : int;
    st_gid : int;
    st_rdev : int;
    st_size : int;
    st_atime : float;
    st_mtime : float;
    st_ctime : float;
  }
  val stat : string -> Unix.stats
  val lstat : string -> Unix.stats
  val fstat : Unix.file_descr -> Unix.stats
  val isatty : Unix.file_descr -> bool
  module LargeFile :
    sig
      val lseek : Unix.file_descr -> int64 -> Unix.seek_command -> int64
      val truncate : string -> int64 -> unit
      val ftruncate : Unix.file_descr -> int64 -> unit
      type stats = {
        st_dev : int;
        st_ino : int;
        st_kind : Unix.file_kind;
        st_perm : Unix.file_perm;
        st_nlink : int;
        st_uid : int;
        st_gid : int;
        st_rdev : int;
        st_size : int64;
        st_atime : float;
        st_mtime : float;
        st_ctime : float;
      }
      val stat : string -> Unix.LargeFile.stats
      val lstat : string -> Unix.LargeFile.stats
      val fstat : Unix.file_descr -> Unix.LargeFile.stats
    end
  val unlink : string -> unit
  val rename : string -> string -> unit
  val link : string -> string -> unit
  type access_permission = R_OK | W_OK | X_OK | F_OK
  val chmod : string -> Unix.file_perm -> unit
  val fchmod : Unix.file_descr -> Unix.file_perm -> unit
  val chown : string -> int -> int -> unit
  val fchown : Unix.file_descr -> int -> int -> unit
  val umask : int -> int
  val access : string -> Unix.access_permission list -> unit
  val dup : ?cloexec:bool -> Unix.file_descr -> Unix.file_descr
  val dup2 : ?cloexec:bool -> Unix.file_descr -> Unix.file_descr -> unit
  val set_nonblock : Unix.file_descr -> unit
  val clear_nonblock : Unix.file_descr -> unit
  val set_close_on_exec : Unix.file_descr -> unit
  val clear_close_on_exec : Unix.file_descr -> unit
  val mkdir : string -> Unix.file_perm -> unit
  val rmdir : string -> unit
  val chdir : string -> unit
  val getcwd : unit -> string
  val chroot : string -> unit
  type dir_handle
  val opendir : string -> Unix.dir_handle
  val readdir : Unix.dir_handle -> string
  val rewinddir : Unix.dir_handle -> unit
  val closedir : Unix.dir_handle -> unit
  val pipe : ?cloexec:bool -> unit -> Unix.file_descr * Unix.file_descr
  val mkfifo : string -> Unix.file_perm -> unit
  val create_process :
    string ->
    string array ->
    Unix.file_descr -> Unix.file_descr -> Unix.file_descr -> int
  val create_process_env :
    string ->
    string array ->
    string array ->
    Unix.file_descr -> Unix.file_descr -> Unix.file_descr -> int
  val open_process_in : string -> Pervasives.in_channel
  val open_process_out : string -> Pervasives.out_channel
  val open_process : string -> Pervasives.in_channel * Pervasives.out_channel
  val open_process_full :
    string ->
    string array ->
    Pervasives.in_channel * Pervasives.out_channel * Pervasives.in_channel
  val close_process_in : Pervasives.in_channel -> Unix.process_status
  val close_process_out : Pervasives.out_channel -> Unix.process_status
  val close_process :
    Pervasives.in_channel * Pervasives.out_channel -> Unix.process_status
  val close_process_full :
    Pervasives.in_channel * Pervasives.out_channel * Pervasives.in_channel ->
    Unix.process_status
  val symlink : ?to_dir:bool -> string -> string -> unit
  val has_symlink : unit -> bool
  val readlink : string -> string
  val select :
    Unix.file_descr list ->
    Unix.file_descr list ->
    Unix.file_descr list ->
    float ->
    Unix.file_descr list * Unix.file_descr list * Unix.file_descr list
  type lock_command =
      F_ULOCK
    | F_LOCK
    | F_TLOCK
    | F_TEST
    | F_RLOCK
    | F_TRLOCK
  val lockf : Unix.file_descr -> Unix.lock_command -> int -> unit
  val kill : int -> int -> unit
  type sigprocmask_command = SIG_SETMASK | SIG_BLOCK | SIG_UNBLOCK
  val sigprocmask : Unix.sigprocmask_command -> int list -> int list
  val sigpending : unit -> int list
  val sigsuspend : int list -> unit
  val pause : unit -> unit
  type process_times = {
    tms_utime : float;
    tms_stime : float;
    tms_cutime : float;
    tms_cstime : float;
  }
  type tm = {
    tm_sec : int;
    tm_min : int;
    tm_hour : int;
    tm_mday : int;
    tm_mon : int;
    tm_year : int;
    tm_wday : int;
    tm_yday : int;
    tm_isdst : bool;
  }
  val time : unit -> float
  val gettimeofday : unit -> float
  val gmtime : float -> Unix.tm
  val localtime : float -> Unix.tm
  val mktime : Unix.tm -> float * Unix.tm
  val alarm : int -> int
  val sleep : int -> unit
  val sleepf : float -> unit
  val times : unit -> Unix.process_times
  val utimes : string -> float -> float -> unit
  type interval_timer = ITIMER_REAL | ITIMER_VIRTUAL | ITIMER_PROF
  type interval_timer_status = { it_interval : float; it_value : float; }
  val getitimer : Unix.interval_timer -> Unix.interval_timer_status
  val setitimer :
    Unix.interval_timer ->
    Unix.interval_timer_status -> Unix.interval_timer_status
  val getuid : unit -> int
  val geteuid : unit -> int
  val setuid : int -> unit
  val getgid : unit -> int
  val getegid : unit -> int
  val setgid : int -> unit
  val getgroups : unit -> int array
  val setgroups : int array -> unit
  val initgroups : string -> int -> unit
  type passwd_entry = {
    pw_name : string;
    pw_passwd : string;
    pw_uid : int;
    pw_gid : int;
    pw_gecos : string;
    pw_dir : string;
    pw_shell : string;
  }
  type group_entry = {
    gr_name : string;
    gr_passwd : string;
    gr_gid : int;
    gr_mem : string array;
  }
  val getlogin : unit -> string
  val getpwnam : string -> Unix.passwd_entry
  val getgrnam : string -> Unix.group_entry
  val getpwuid : int -> Unix.passwd_entry
  val getgrgid : int -> Unix.group_entry
  type inet_addr
  val inet_addr_of_string : string -> Unix.inet_addr
  val string_of_inet_addr : Unix.inet_addr -> string
  val inet_addr_any : Unix.inet_addr
  val inet_addr_loopback : Unix.inet_addr
  val inet6_addr_any : Unix.inet_addr
  val inet6_addr_loopback : Unix.inet_addr
  type socket_domain = PF_UNIX | PF_INET | PF_INET6
  type socket_type = SOCK_STREAM | SOCK_DGRAM | SOCK_RAW | SOCK_SEQPACKET
  type sockaddr = ADDR_UNIX of string | ADDR_INET of Unix.inet_addr * int
  val socket :
    ?cloexec:bool ->
    Unix.socket_domain -> Unix.socket_type -> int -> Unix.file_descr
  val domain_of_sockaddr : Unix.sockaddr -> Unix.socket_domain
  val socketpair :
    ?cloexec:bool ->
    Unix.socket_domain ->
    Unix.socket_type -> int -> Unix.file_descr * Unix.file_descr
  val accept :
    ?cloexec:bool -> Unix.file_descr -> Unix.file_descr * Unix.sockaddr
  val bind : Unix.file_descr -> Unix.sockaddr -> unit
  val connect : Unix.file_descr -> Unix.sockaddr -> unit
  val listen : Unix.file_descr -> int -> unit
  type shutdown_command = SHUTDOWN_RECEIVE | SHUTDOWN_SEND | SHUTDOWN_ALL
  val shutdown : Unix.file_descr -> Unix.shutdown_command -> unit
  val getsockname : Unix.file_descr -> Unix.sockaddr
  val getpeername : Unix.file_descr -> Unix.sockaddr
  type msg_flag = MSG_OOB | MSG_DONTROUTE | MSG_PEEK
  val recv :
    Unix.file_descr -> bytes -> int -> int -> Unix.msg_flag list -> int
  val recvfrom :
    Unix.file_descr ->
    bytes -> int -> int -> Unix.msg_flag list -> int * Unix.sockaddr
  val send :
    Unix.file_descr -> bytes -> int -> int -> Unix.msg_flag list -> int
  val send_substring :
    Unix.file_descr -> string -> int -> int -> Unix.msg_flag list -> int
  val sendto :
    Unix.file_descr ->
    bytes -> int -> int -> Unix.msg_flag list -> Unix.sockaddr -> int
  val sendto_substring :
    Unix.file_descr ->
    string -> int -> int -> Unix.msg_flag list -> Unix.sockaddr -> int
  type socket_bool_option =
      SO_DEBUG
    | SO_BROADCAST
    | SO_REUSEADDR
    | SO_KEEPALIVE
    | SO_DONTROUTE
    | SO_OOBINLINE
    | SO_ACCEPTCONN
    | TCP_NODELAY
    | IPV6_ONLY
  type socket_int_option =
      SO_SNDBUF
    | SO_RCVBUF
    | SO_ERROR
    | SO_TYPE
    | SO_RCVLOWAT
    | SO_SNDLOWAT
  type socket_optint_option = SO_LINGER
  type socket_float_option = SO_RCVTIMEO | SO_SNDTIMEO
  val getsockopt : Unix.file_descr -> Unix.socket_bool_option -> bool
  val setsockopt : Unix.file_descr -> Unix.socket_bool_option -> bool -> unit
  val getsockopt_int : Unix.file_descr -> Unix.socket_int_option -> int
  val setsockopt_int :
    Unix.file_descr -> Unix.socket_int_option -> int -> unit
  val getsockopt_optint :
    Unix.file_descr -> Unix.socket_optint_option -> int option
  val setsockopt_optint :
    Unix.file_descr -> Unix.socket_optint_option -> int option -> unit
  val getsockopt_float : Unix.file_descr -> Unix.socket_float_option -> float
  val setsockopt_float :
    Unix.file_descr -> Unix.socket_float_option -> float -> unit
  val getsockopt_error : Unix.file_descr -> Unix.error option
  val open_connection :
    Unix.sockaddr -> Pervasives.in_channel * Pervasives.out_channel
  val shutdown_connection : Pervasives.in_channel -> unit
  val establish_server :
    (Pervasives.in_channel -> Pervasives.out_channel -> unit) ->
    Unix.sockaddr -> unit
  type host_entry = {
    h_name : string;
    h_aliases : string array;
    h_addrtype : Unix.socket_domain;
    h_addr_list : Unix.inet_addr array;
  }
  type protocol_entry = {
    p_name : string;
    p_aliases : string array;
    p_proto : int;
  }
  type service_entry = {
    s_name : string;
    s_aliases : string array;
    s_port : int;
    s_proto : string;
  }
  val gethostname : unit -> string
  val gethostbyname : string -> Unix.host_entry
  val gethostbyaddr : Unix.inet_addr -> Unix.host_entry
  val getprotobyname : string -> Unix.protocol_entry
  val getprotobynumber : int -> Unix.protocol_entry
  val getservbyname : string -> string -> Unix.service_entry
  val getservbyport : int -> string -> Unix.service_entry
  type addr_info = {
    ai_family : Unix.socket_domain;
    ai_socktype : Unix.socket_type;
    ai_protocol : int;
    ai_addr : Unix.sockaddr;
    ai_canonname : string;
  }
  type getaddrinfo_option =
      AI_FAMILY of Unix.socket_domain
    | AI_SOCKTYPE of Unix.socket_type
    | AI_PROTOCOL of int
    | AI_NUMERICHOST
    | AI_CANONNAME
    | AI_PASSIVE
  val getaddrinfo :
    string -> string -> Unix.getaddrinfo_option list -> Unix.addr_info list
  type name_info = { ni_hostname : string; ni_service : string; }
  type getnameinfo_option =
      NI_NOFQDN
    | NI_NUMERICHOST
    | NI_NAMEREQD
    | NI_NUMERICSERV
    | NI_DGRAM
  val getnameinfo :
    Unix.sockaddr -> Unix.getnameinfo_option list -> Unix.name_info
  type terminal_io = {
    mutable c_ignbrk : bool;
    mutable c_brkint : bool;
    mutable c_ignpar : bool;
    mutable c_parmrk : bool;
    mutable c_inpck : bool;
    mutable c_istrip : bool;
    mutable c_inlcr : bool;
    mutable c_igncr : bool;
    mutable c_icrnl : bool;
    mutable c_ixon : bool;
    mutable c_ixoff : bool;
    mutable c_opost : bool;
    mutable c_obaud : int;
    mutable c_ibaud : int;
    mutable c_csize : int;
    mutable c_cstopb : int;
    mutable c_cread : bool;
    mutable c_parenb : bool;
    mutable c_parodd : bool;
    mutable c_hupcl : bool;
    mutable c_clocal : bool;
    mutable c_isig : bool;
    mutable c_icanon : bool;
    mutable c_noflsh : bool;
    mutable c_echo : bool;
    mutable c_echoe : bool;
    mutable c_echok : bool;
    mutable c_echonl : bool;
    mutable c_vintr : char;
    mutable c_vquit : char;
    mutable c_verase : char;
    mutable c_vkill : char;
    mutable c_veof : char;
    mutable c_veol : char;
    mutable c_vmin : int;
    mutable c_vtime : int;
    mutable c_vstart : char;
    mutable c_vstop : char;
  }
  val tcgetattr : Unix.file_descr -> Unix.terminal_io
  type setattr_when = TCSANOW | TCSADRAIN | TCSAFLUSH
  val tcsetattr :
    Unix.file_descr -> Unix.setattr_when -> Unix.terminal_io -> unit
  val tcsendbreak : Unix.file_descr -> int -> unit
  val tcdrain : Unix.file_descr -> unit
  type flush_queue = TCIFLUSH | TCOFLUSH | TCIOFLUSH
  val tcflush : Unix.file_descr -> Unix.flush_queue -> unit
  type flow_action = TCOOFF | TCOON | TCIOFF | TCION
  val tcflow : Unix.file_descr -> Unix.flow_action -> unit
  val setsid : unit -> int
end
ocaml-doc-4.05/ocaml.html/libref/type_Parser.html0000644000175000017500000005611013131636447020735 0ustar mehdimehdi Parser sig
  type token =
      AMPERAMPER
    | AMPERSAND
    | AND
    | AS
    | ASSERT
    | BACKQUOTE
    | BANG
    | BAR
    | BARBAR
    | BARRBRACKET
    | BEGIN
    | CHAR of char
    | CLASS
    | COLON
    | COLONCOLON
    | COLONEQUAL
    | COLONGREATER
    | COMMA
    | CONSTRAINT
    | DO
    | DONE
    | DOT
    | DOTDOT
    | DOWNTO
    | ELSE
    | END
    | EOF
    | EQUAL
    | EXCEPTION
    | EXTERNAL
    | FALSE
    | FLOAT of (string * char option)
    | FOR
    | FUN
    | FUNCTION
    | FUNCTOR
    | GREATER
    | GREATERRBRACE
    | GREATERRBRACKET
    | IF
    | IN
    | INCLUDE
    | INFIXOP0 of string
    | INFIXOP1 of string
    | INFIXOP2 of string
    | INFIXOP3 of string
    | INFIXOP4 of string
    | INHERIT
    | INITIALIZER
    | INT of (string * char option)
    | LABEL of string
    | LAZY
    | LBRACE
    | LBRACELESS
    | LBRACKET
    | LBRACKETBAR
    | LBRACKETLESS
    | LBRACKETGREATER
    | LBRACKETPERCENT
    | LBRACKETPERCENTPERCENT
    | LESS
    | LESSMINUS
    | LET
    | LIDENT of string
    | LPAREN
    | LBRACKETAT
    | LBRACKETATAT
    | LBRACKETATATAT
    | MATCH
    | METHOD
    | MINUS
    | MINUSDOT
    | MINUSGREATER
    | MODULE
    | MUTABLE
    | NEW
    | NONREC
    | OBJECT
    | OF
    | OPEN
    | OPTLABEL of string
    | OR
    | PERCENT
    | PLUS
    | PLUSDOT
    | PLUSEQ
    | PREFIXOP of string
    | PRIVATE
    | QUESTION
    | QUOTE
    | RBRACE
    | RBRACKET
    | REC
    | RPAREN
    | SEMI
    | SEMISEMI
    | HASH
    | HASHOP of string
    | SIG
    | STAR
    | STRING of (string * string option)
    | STRUCT
    | THEN
    | TILDE
    | TO
    | TRUE
    | TRY
    | TYPE
    | UIDENT of string
    | UNDERSCORE
    | VAL
    | VIRTUAL
    | WHEN
    | WHILE
    | WITH
    | COMMENT of (string * Location.t)
    | DOCSTRING of Docstrings.docstring
    | EOL
  val implementation :
    (Lexing.lexbuf -> Parser.token) -> Lexing.lexbuf -> Parsetree.structure
  val interface :
    (Lexing.lexbuf -> Parser.token) -> Lexing.lexbuf -> Parsetree.signature
  val toplevel_phrase :
    (Lexing.lexbuf -> Parser.token) ->
    Lexing.lexbuf -> Parsetree.toplevel_phrase
  val use_file :
    (Lexing.lexbuf -> Parser.token) ->
    Lexing.lexbuf -> Parsetree.toplevel_phrase list
  val parse_core_type :
    (Lexing.lexbuf -> Parser.token) -> Lexing.lexbuf -> Parsetree.core_type
  val parse_expression :
    (Lexing.lexbuf -> Parser.token) -> Lexing.lexbuf -> Parsetree.expression
  val parse_pattern :
    (Lexing.lexbuf -> Parser.token) -> Lexing.lexbuf -> Parsetree.pattern
end
ocaml-doc-4.05/ocaml.html/libref/Set.OrderedType.html0000644000175000017500000002037713131636450021420 0ustar mehdimehdi Set.OrderedType

Module type Set.OrderedType

module type OrderedType = sig .. end
Input signature of the functor Set.Make.

type t 
The type of the set elements.
val compare : t -> t -> int
A total ordering function over the set elements. This is a two-argument function f such that f e1 e2 is zero if the elements e1 and e2 are equal, f e1 e2 is strictly negative if e1 is smaller than e2, and f e1 e2 is strictly positive if e1 is greater than e2. Example: a suitable ordering function is the generic structural comparison function compare.
ocaml-doc-4.05/ocaml.html/libref/Printexc.Slot.html0000644000175000017500000002320613131636450021146 0ustar mehdimehdi Printexc.Slot

Module Printexc.Slot

module Slot: sig .. end
Since 4.02.0

type t = Printexc.backtrace_slot 
val is_raise : t -> bool
is_raise slot is true when slot refers to a raising point in the code, and false when it comes from a simple function call.
Since 4.02
val is_inline : t -> bool
is_inline slot is true when slot refers to a call that got inlined by the compiler, and false when it comes from any other context.
Since 4.04.0
val location : t -> Printexc.location option
location slot returns the location information of the slot, if available, and None otherwise.

Some possible reasons for failing to return a location are as follow:


Since 4.02
val format : int -> t -> string option
format pos slot returns the string representation of slot as raw_backtrace_to_string would format it, assuming it is the pos-th element of the backtrace: the 0-th element is pretty-printed differently than the others.

Whole-backtrace printing functions also skip some uninformative slots; in that case, format pos slot returns None.
Since 4.02

ocaml-doc-4.05/ocaml.html/libref/type_Ast_helper.Cty.html0000644000175000017500000002306713131636441022324 0ustar mehdimehdi Ast_helper.Cty sig
  val mk :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Parsetree.class_type_desc -> Parsetree.class_type
  val attr :
    Parsetree.class_type -> Parsetree.attribute -> Parsetree.class_type
  val constr :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Ast_helper.lid -> Parsetree.core_type list -> Parsetree.class_type
  val signature :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Parsetree.class_signature -> Parsetree.class_type
  val arrow :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Asttypes.arg_label ->
    Parsetree.core_type -> Parsetree.class_type -> Parsetree.class_type
  val extension :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs -> Parsetree.extension -> Parsetree.class_type
end
ocaml-doc-4.05/ocaml.html/libref/type_StdLabels.List.html0000644000175000017500000001470113131636450022262 0ustar mehdimehdi StdLabels.List (module ListLabels)ocaml-doc-4.05/ocaml.html/libref/type_Digest.html0000644000175000017500000002231713131636443020716 0ustar mehdimehdi Digest sig
  type t = string
  val compare : Digest.t -> Digest.t -> int
  val equal : Digest.t -> Digest.t -> bool
  val string : string -> Digest.t
  val bytes : bytes -> Digest.t
  val substring : string -> int -> int -> Digest.t
  val subbytes : bytes -> int -> int -> Digest.t
  external channel : Pervasives.in_channel -> int -> Digest.t
    = "caml_md5_chan"
  val file : string -> Digest.t
  val output : Pervasives.out_channel -> Digest.t -> unit
  val input : Pervasives.in_channel -> Digest.t
  val to_hex : Digest.t -> string
  val from_hex : string -> Digest.t
end
ocaml-doc-4.05/ocaml.html/libref/type_Docstrings.html0000644000175000017500000003627013131636443021621 0ustar mehdimehdi Docstrings sig
  val init : unit -> unit
  val warn_bad_docstrings : unit -> unit
  type docstring
  val docstring : string -> Location.t -> Docstrings.docstring
  val register : Docstrings.docstring -> unit
  val docstring_body : Docstrings.docstring -> string
  val docstring_loc : Docstrings.docstring -> Location.t
  val set_pre_docstrings :
    Lexing.position -> Docstrings.docstring list -> unit
  val set_post_docstrings :
    Lexing.position -> Docstrings.docstring list -> unit
  val set_floating_docstrings :
    Lexing.position -> Docstrings.docstring list -> unit
  val set_pre_extra_docstrings :
    Lexing.position -> Docstrings.docstring list -> unit
  val set_post_extra_docstrings :
    Lexing.position -> Docstrings.docstring list -> unit
  type docs = {
    docs_pre : Docstrings.docstring option;
    docs_post : Docstrings.docstring option;
  }
  val empty_docs : Docstrings.docs
  val docs_attr : Docstrings.docstring -> Parsetree.attribute
  val add_docs_attrs :
    Docstrings.docs -> Parsetree.attributes -> Parsetree.attributes
  val symbol_docs : unit -> Docstrings.docs
  val symbol_docs_lazy : unit -> Docstrings.docs Lazy.t
  val rhs_docs : int -> int -> Docstrings.docs
  val rhs_docs_lazy : int -> int -> Docstrings.docs Lazy.t
  val mark_symbol_docs : unit -> unit
  val mark_rhs_docs : int -> int -> unit
  type info = Docstrings.docstring option
  val empty_info : Docstrings.info
  val info_attr : Docstrings.docstring -> Parsetree.attribute
  val add_info_attrs :
    Docstrings.info -> Parsetree.attributes -> Parsetree.attributes
  val symbol_info : unit -> Docstrings.info
  val rhs_info : int -> Docstrings.info
  type text = Docstrings.docstring list
  val empty_text : Docstrings.text
  val empty_text_lazy : Docstrings.text Lazy.t
  val text_attr : Docstrings.docstring -> Parsetree.attribute
  val add_text_attrs :
    Docstrings.text -> Parsetree.attributes -> Parsetree.attributes
  val symbol_text : unit -> Docstrings.text
  val symbol_text_lazy : unit -> Docstrings.text Lazy.t
  val rhs_text : int -> Docstrings.text
  val rhs_text_lazy : int -> Docstrings.text Lazy.t
  val symbol_pre_extra_text : unit -> Docstrings.text
  val symbol_post_extra_text : unit -> Docstrings.text
  val rhs_pre_extra_text : int -> Docstrings.text
  val rhs_post_extra_text : int -> Docstrings.text
end
ocaml-doc-4.05/ocaml.html/libref/type_Ephemeron.html0000644000175000017500000026455613131636444021437 0ustar mehdimehdi Ephemeron sig
  module type S =
    sig
      type key
      type 'a t
      val create : int -> 'a t
      val clear : 'a t -> unit
      val reset : 'a t -> unit
      val copy : 'a t -> 'a t
      val add : 'a t -> key -> '-> unit
      val remove : 'a t -> key -> unit
      val find : 'a t -> key -> 'a
      val find_opt : 'a t -> key -> 'a option
      val find_all : 'a t -> key -> 'a list
      val replace : 'a t -> key -> '-> unit
      val mem : 'a t -> key -> bool
      val iter : (key -> '-> unit) -> 'a t -> unit
      val filter_map_inplace : (key -> '-> 'a option) -> 'a t -> unit
      val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
      val length : 'a t -> int
      val stats : 'a t -> Hashtbl.statistics
      val clean : 'a t -> unit
      val stats_alive : 'a t -> Hashtbl.statistics
    end
  module type SeededS =
    sig
      type key
      type 'a t
      val create : ?random:bool -> int -> 'a t
      val clear : 'a t -> unit
      val reset : 'a t -> unit
      val copy : 'a t -> 'a t
      val add : 'a t -> key -> '-> unit
      val remove : 'a t -> key -> unit
      val find : 'a t -> key -> 'a
      val find_opt : 'a t -> key -> 'a option
      val find_all : 'a t -> key -> 'a list
      val replace : 'a t -> key -> '-> unit
      val mem : 'a t -> key -> bool
      val iter : (key -> '-> unit) -> 'a t -> unit
      val filter_map_inplace : (key -> '-> 'a option) -> 'a t -> unit
      val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
      val length : 'a t -> int
      val stats : 'a t -> Hashtbl.statistics
      val clean : 'a t -> unit
      val stats_alive : 'a t -> Hashtbl.statistics
    end
  module K1 :
    sig
      type ('k, 'd) t
      val create : unit -> ('k, 'd) Ephemeron.K1.t
      val get_key : ('k, 'd) Ephemeron.K1.t -> 'k option
      val get_key_copy : ('k, 'd) Ephemeron.K1.t -> 'k option
      val set_key : ('k, 'd) Ephemeron.K1.t -> '-> unit
      val unset_key : ('k, 'd) Ephemeron.K1.t -> unit
      val check_key : ('k, 'd) Ephemeron.K1.t -> bool
      val blit_key :
        ('k, 'a) Ephemeron.K1.t -> ('k, 'b) Ephemeron.K1.t -> unit
      val get_data : ('k, 'd) Ephemeron.K1.t -> 'd option
      val get_data_copy : ('k, 'd) Ephemeron.K1.t -> 'd option
      val set_data : ('k, 'd) Ephemeron.K1.t -> '-> unit
      val unset_data : ('k, 'd) Ephemeron.K1.t -> unit
      val check_data : ('k, 'd) Ephemeron.K1.t -> bool
      val blit_data :
        ('a, 'd) Ephemeron.K1.t -> ('b, 'd) Ephemeron.K1.t -> unit
      module Make :
        functor (H : Hashtbl.HashedType->
          sig
            type key = H.t
            type 'a t
            val create : int -> 'a t
            val clear : 'a t -> unit
            val reset : 'a t -> unit
            val copy : 'a t -> 'a t
            val add : 'a t -> key -> '-> unit
            val remove : 'a t -> key -> unit
            val find : 'a t -> key -> 'a
            val find_opt : 'a t -> key -> 'a option
            val find_all : 'a t -> key -> 'a list
            val replace : 'a t -> key -> '-> unit
            val mem : 'a t -> key -> bool
            val iter : (key -> '-> unit) -> 'a t -> unit
            val filter_map_inplace : (key -> '-> 'a option) -> 'a t -> unit
            val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
            val length : 'a t -> int
            val stats : 'a t -> Hashtbl.statistics
            val clean : 'a t -> unit
            val stats_alive : 'a t -> Hashtbl.statistics
          end
      module MakeSeeded :
        functor (H : Hashtbl.SeededHashedType->
          sig
            type key = H.t
            type 'a t
            val create : ?random:bool -> int -> 'a t
            val clear : 'a t -> unit
            val reset : 'a t -> unit
            val copy : 'a t -> 'a t
            val add : 'a t -> key -> '-> unit
            val remove : 'a t -> key -> unit
            val find : 'a t -> key -> 'a
            val find_opt : 'a t -> key -> 'a option
            val find_all : 'a t -> key -> 'a list
            val replace : 'a t -> key -> '-> unit
            val mem : 'a t -> key -> bool
            val iter : (key -> '-> unit) -> 'a t -> unit
            val filter_map_inplace : (key -> '-> 'a option) -> 'a t -> unit
            val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
            val length : 'a t -> int
            val stats : 'a t -> Hashtbl.statistics
            val clean : 'a t -> unit
            val stats_alive : 'a t -> Hashtbl.statistics
          end
    end
  module K2 :
    sig
      type ('k1, 'k2, 'd) t
      val create : unit -> ('k1, 'k2, 'd) Ephemeron.K2.t
      val get_key1 : ('k1, 'k2, 'd) Ephemeron.K2.t -> 'k1 option
      val get_key1_copy : ('k1, 'k2, 'd) Ephemeron.K2.t -> 'k1 option
      val set_key1 : ('k1, 'k2, 'd) Ephemeron.K2.t -> 'k1 -> unit
      val unset_key1 : ('k1, 'k2, 'd) Ephemeron.K2.t -> unit
      val check_key1 : ('k1, 'k2, 'd) Ephemeron.K2.t -> bool
      val get_key2 : ('k1, 'k2, 'd) Ephemeron.K2.t -> 'k2 option
      val get_key2_copy : ('k1, 'k2, 'd) Ephemeron.K2.t -> 'k2 option
      val set_key2 : ('k1, 'k2, 'd) Ephemeron.K2.t -> 'k2 -> unit
      val unset_key2 : ('k1, 'k2, 'd) Ephemeron.K2.t -> unit
      val check_key2 : ('k1, 'k2, 'd) Ephemeron.K2.t -> bool
      val blit_key1 :
        ('k1, 'a, 'b) Ephemeron.K2.t -> ('k1, 'c, 'd) Ephemeron.K2.t -> unit
      val blit_key2 :
        ('a, 'k2, 'b) Ephemeron.K2.t -> ('c, 'k2, 'd) Ephemeron.K2.t -> unit
      val blit_key12 :
        ('k1, 'k2, 'a) Ephemeron.K2.t ->
        ('k1, 'k2, 'b) Ephemeron.K2.t -> unit
      val get_data : ('k1, 'k2, 'd) Ephemeron.K2.t -> 'd option
      val get_data_copy : ('k1, 'k2, 'd) Ephemeron.K2.t -> 'd option
      val set_data : ('k1, 'k2, 'd) Ephemeron.K2.t -> '-> unit
      val unset_data : ('k1, 'k2, 'd) Ephemeron.K2.t -> unit
      val check_data : ('k1, 'k2, 'd) Ephemeron.K2.t -> bool
      val blit_data :
        ('k1, 'k2, 'd) Ephemeron.K2.t ->
        ('k1, 'k2, 'd) Ephemeron.K2.t -> unit
      module Make :
        functor (H1 : Hashtbl.HashedType) (H2 : Hashtbl.HashedType->
          sig
            type key = H1.t * H2.t
            type 'a t
            val create : int -> 'a t
            val clear : 'a t -> unit
            val reset : 'a t -> unit
            val copy : 'a t -> 'a t
            val add : 'a t -> key -> '-> unit
            val remove : 'a t -> key -> unit
            val find : 'a t -> key -> 'a
            val find_opt : 'a t -> key -> 'a option
            val find_all : 'a t -> key -> 'a list
            val replace : 'a t -> key -> '-> unit
            val mem : 'a t -> key -> bool
            val iter : (key -> '-> unit) -> 'a t -> unit
            val filter_map_inplace : (key -> '-> 'a option) -> 'a t -> unit
            val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
            val length : 'a t -> int
            val stats : 'a t -> Hashtbl.statistics
            val clean : 'a t -> unit
            val stats_alive : 'a t -> Hashtbl.statistics
          end
      module MakeSeeded :
        functor
          (H1 : Hashtbl.SeededHashedType) (H2 : Hashtbl.SeededHashedType->
          sig
            type key = H1.t * H2.t
            type 'a t
            val create : ?random:bool -> int -> 'a t
            val clear : 'a t -> unit
            val reset : 'a t -> unit
            val copy : 'a t -> 'a t
            val add : 'a t -> key -> '-> unit
            val remove : 'a t -> key -> unit
            val find : 'a t -> key -> 'a
            val find_opt : 'a t -> key -> 'a option
            val find_all : 'a t -> key -> 'a list
            val replace : 'a t -> key -> '-> unit
            val mem : 'a t -> key -> bool
            val iter : (key -> '-> unit) -> 'a t -> unit
            val filter_map_inplace : (key -> '-> 'a option) -> 'a t -> unit
            val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
            val length : 'a t -> int
            val stats : 'a t -> Hashtbl.statistics
            val clean : 'a t -> unit
            val stats_alive : 'a t -> Hashtbl.statistics
          end
    end
  module Kn :
    sig
      type ('k, 'd) t
      val create : int -> ('k, 'd) Ephemeron.Kn.t
      val get_key : ('k, 'd) Ephemeron.Kn.t -> int -> 'k option
      val get_key_copy : ('k, 'd) Ephemeron.Kn.t -> int -> 'k option
      val set_key : ('k, 'd) Ephemeron.Kn.t -> int -> '-> unit
      val unset_key : ('k, 'd) Ephemeron.Kn.t -> int -> unit
      val check_key : ('k, 'd) Ephemeron.Kn.t -> int -> bool
      val blit_key :
        ('k, 'a) Ephemeron.Kn.t ->
        int -> ('k, 'b) Ephemeron.Kn.t -> int -> int -> unit
      val get_data : ('k, 'd) Ephemeron.Kn.t -> 'd option
      val get_data_copy : ('k, 'd) Ephemeron.Kn.t -> 'd option
      val set_data : ('k, 'd) Ephemeron.Kn.t -> '-> unit
      val unset_data : ('k, 'd) Ephemeron.Kn.t -> unit
      val check_data : ('k, 'd) Ephemeron.Kn.t -> bool
      val blit_data :
        ('k, 'd) Ephemeron.Kn.t -> ('k, 'd) Ephemeron.Kn.t -> unit
      module Make :
        functor (H : Hashtbl.HashedType->
          sig
            type key = H.t array
            type 'a t
            val create : int -> 'a t
            val clear : 'a t -> unit
            val reset : 'a t -> unit
            val copy : 'a t -> 'a t
            val add : 'a t -> key -> '-> unit
            val remove : 'a t -> key -> unit
            val find : 'a t -> key -> 'a
            val find_opt : 'a t -> key -> 'a option
            val find_all : 'a t -> key -> 'a list
            val replace : 'a t -> key -> '-> unit
            val mem : 'a t -> key -> bool
            val iter : (key -> '-> unit) -> 'a t -> unit
            val filter_map_inplace : (key -> '-> 'a option) -> 'a t -> unit
            val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
            val length : 'a t -> int
            val stats : 'a t -> Hashtbl.statistics
            val clean : 'a t -> unit
            val stats_alive : 'a t -> Hashtbl.statistics
          end
      module MakeSeeded :
        functor (H : Hashtbl.SeededHashedType->
          sig
            type key = H.t array
            type 'a t
            val create : ?random:bool -> int -> 'a t
            val clear : 'a t -> unit
            val reset : 'a t -> unit
            val copy : 'a t -> 'a t
            val add : 'a t -> key -> '-> unit
            val remove : 'a t -> key -> unit
            val find : 'a t -> key -> 'a
            val find_opt : 'a t -> key -> 'a option
            val find_all : 'a t -> key -> 'a list
            val replace : 'a t -> key -> '-> unit
            val mem : 'a t -> key -> bool
            val iter : (key -> '-> unit) -> 'a t -> unit
            val filter_map_inplace : (key -> '-> 'a option) -> 'a t -> unit
            val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
            val length : 'a t -> int
            val stats : 'a t -> Hashtbl.statistics
            val clean : 'a t -> unit
            val stats_alive : 'a t -> Hashtbl.statistics
          end
    end
  module GenHashTable :
    sig
      type equal = ETrue | EFalse | EDead
      module MakeSeeded :
        functor
          (H : sig
                 type t
                 type 'a container
                 val hash : int -> Ephemeron.GenHashTable.MakeSeeded.t -> int
                 val equal :
                   'Ephemeron.GenHashTable.MakeSeeded.container ->
                   Ephemeron.GenHashTable.MakeSeeded.t ->
                   Ephemeron.GenHashTable.equal
                 val create :
                   Ephemeron.GenHashTable.MakeSeeded.t ->
                   '-> 'Ephemeron.GenHashTable.MakeSeeded.container
                 val get_key :
                   'Ephemeron.GenHashTable.MakeSeeded.container ->
                   Ephemeron.GenHashTable.MakeSeeded.t option
                 val get_data :
                   'Ephemeron.GenHashTable.MakeSeeded.container ->
                   'a option
                 val set_key_data :
                   'Ephemeron.GenHashTable.MakeSeeded.container ->
                   Ephemeron.GenHashTable.MakeSeeded.t -> '-> unit
                 val check_key :
                   'Ephemeron.GenHashTable.MakeSeeded.container -> bool
               end->
          sig
            type key = H.t
            type 'a t
            val create : ?random:bool -> int -> 'a t
            val clear : 'a t -> unit
            val reset : 'a t -> unit
            val copy : 'a t -> 'a t
            val add : 'a t -> key -> '-> unit
            val remove : 'a t -> key -> unit
            val find : 'a t -> key -> 'a
            val find_opt : 'a t -> key -> 'a option
            val find_all : 'a t -> key -> 'a list
            val replace : 'a t -> key -> '-> unit
            val mem : 'a t -> key -> bool
            val iter : (key -> '-> unit) -> 'a t -> unit
            val filter_map_inplace : (key -> '-> 'a option) -> 'a t -> unit
            val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
            val length : 'a t -> int
            val stats : 'a t -> Hashtbl.statistics
            val clean : 'a t -> unit
            val stats_alive : 'a t -> Hashtbl.statistics
          end
    end
end
ocaml-doc-4.05/ocaml.html/libref/UnixLabels.LargeFile.html0000644000175000017500000003624013131636451022334 0ustar mehdimehdi UnixLabels.LargeFile

Module UnixLabels.LargeFile

module LargeFile: sig .. end
File operations on large files. This sub-module provides 64-bit variants of the functions UnixLabels.lseek (for positioning a file descriptor), UnixLabels.truncate and UnixLabels.ftruncate (for changing the size of a file), and UnixLabels.stat, UnixLabels.lstat and UnixLabels.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.

val lseek : UnixLabels.file_descr -> int64 -> mode:UnixLabels.seek_command -> int64
val truncate : string -> len:int64 -> unit
val ftruncate : UnixLabels.file_descr -> len:int64 -> unit
type stats = Unix.LargeFile.stats = {
   st_dev : int; (*
Device number
*)
   st_ino : int; (*
Inode number
*)
   st_kind : UnixLabels.file_kind; (*
Kind of the file
*)
   st_perm : UnixLabels.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 minor number
*)
   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 : UnixLabels.file_descr -> stats
ocaml-doc-4.05/ocaml.html/libref/Identifiable.Pair.html0000644000175000017500000002156413131636444021713 0ustar mehdimehdi Identifiable.Pair

Functor Identifiable.Pair

module Pair: 
functor (A : Thing-> 
functor (B : Thing-> Thing with type t = A.t * B.t
Parameters:
A : Thing
B : Thing

type t 
include Hashtbl.HashedType
include Map.OrderedType
val output : out_channel -> t -> unit
val print : Format.formatter -> t -> unit
ocaml-doc-4.05/ocaml.html/libref/Clflags.Float_arg_helper.html0000644000175000017500000002121613131636443023242 0ustar mehdimehdi Clflags.Float_arg_helper

Module Clflags.Float_arg_helper

module Float_arg_helper: sig .. end
Optimization parameters represented as floats indexed by round number.

type parsed 
val parse : string -> string -> parsed ref -> unit
type parse_result = 
| Ok
| Parse_failed of exn
val parse_no_error : string ->
parsed ref ->
parse_result
val get : key:int -> parsed -> float
ocaml-doc-4.05/ocaml.html/libref/type_UnixLabels.html0000644000175000017500000024033613131636452021550 0ustar mehdimehdi UnixLabels sig
  type error =
    Unix.error =
      E2BIG
    | EACCES
    | EAGAIN
    | EBADF
    | EBUSY
    | ECHILD
    | EDEADLK
    | EDOM
    | EEXIST
    | EFAULT
    | EFBIG
    | EINTR
    | EINVAL
    | EIO
    | EISDIR
    | EMFILE
    | EMLINK
    | ENAMETOOLONG
    | ENFILE
    | ENODEV
    | ENOENT
    | ENOEXEC
    | ENOLCK
    | ENOMEM
    | ENOSPC
    | ENOSYS
    | ENOTDIR
    | ENOTEMPTY
    | ENOTTY
    | ENXIO
    | EPERM
    | EPIPE
    | ERANGE
    | EROFS
    | ESPIPE
    | ESRCH
    | EXDEV
    | EWOULDBLOCK
    | EINPROGRESS
    | EALREADY
    | ENOTSOCK
    | EDESTADDRREQ
    | EMSGSIZE
    | EPROTOTYPE
    | ENOPROTOOPT
    | EPROTONOSUPPORT
    | ESOCKTNOSUPPORT
    | EOPNOTSUPP
    | EPFNOSUPPORT
    | EAFNOSUPPORT
    | EADDRINUSE
    | EADDRNOTAVAIL
    | ENETDOWN
    | ENETUNREACH
    | ENETRESET
    | ECONNABORTED
    | ECONNRESET
    | ENOBUFS
    | EISCONN
    | ENOTCONN
    | ESHUTDOWN
    | ETOOMANYREFS
    | ETIMEDOUT
    | ECONNREFUSED
    | EHOSTDOWN
    | EHOSTUNREACH
    | ELOOP
    | EOVERFLOW
    | EUNKNOWNERR of int
  exception Unix_error of UnixLabels.error * string * string
  val error_message : UnixLabels.error -> string
  val handle_unix_error : ('-> 'b) -> '-> 'b
  val environment : unit -> string array
  val getenv : string -> string
  val putenv : string -> string -> unit
  type process_status =
    Unix.process_status =
      WEXITED of int
    | WSIGNALED of int
    | WSTOPPED of int
  type wait_flag = Unix.wait_flag = WNOHANG | WUNTRACED
  val execv : prog:string -> args:string array -> 'a
  val execve : prog:string -> args:string array -> env:string array -> 'a
  val execvp : prog:string -> args:string array -> 'a
  val execvpe : prog:string -> args:string array -> env:string array -> 'a
  val fork : unit -> int
  val wait : unit -> int * UnixLabels.process_status
  val waitpid :
    mode:UnixLabels.wait_flag list -> int -> int * UnixLabels.process_status
  val system : string -> UnixLabels.process_status
  val getpid : unit -> int
  val getppid : unit -> int
  val nice : int -> int
  type file_descr = Unix.file_descr
  val stdin : UnixLabels.file_descr
  val stdout : UnixLabels.file_descr
  val stderr : UnixLabels.file_descr
  type open_flag =
    Unix.open_flag =
      O_RDONLY
    | O_WRONLY
    | O_RDWR
    | O_NONBLOCK
    | O_APPEND
    | O_CREAT
    | O_TRUNC
    | O_EXCL
    | O_NOCTTY
    | O_DSYNC
    | O_SYNC
    | O_RSYNC
    | O_SHARE_DELETE
    | O_CLOEXEC
    | O_KEEPEXEC
  type file_perm = int
  val openfile :
    string ->
    mode:UnixLabels.open_flag list ->
    perm:UnixLabels.file_perm -> UnixLabels.file_descr
  val close : UnixLabels.file_descr -> unit
  val read : UnixLabels.file_descr -> buf:bytes -> pos:int -> len:int -> int
  val write : UnixLabels.file_descr -> buf:bytes -> pos:int -> len:int -> int
  val single_write :
    UnixLabels.file_descr -> buf:bytes -> pos:int -> len:int -> int
  val write_substring :
    UnixLabels.file_descr -> buf:string -> pos:int -> len:int -> int
  val single_write_substring :
    UnixLabels.file_descr -> buf:string -> pos:int -> len:int -> int
  val in_channel_of_descr : UnixLabels.file_descr -> Pervasives.in_channel
  val out_channel_of_descr : UnixLabels.file_descr -> Pervasives.out_channel
  val descr_of_in_channel : Pervasives.in_channel -> UnixLabels.file_descr
  val descr_of_out_channel : Pervasives.out_channel -> UnixLabels.file_descr
  type seek_command = Unix.seek_command = SEEK_SET | SEEK_CUR | SEEK_END
  val lseek :
    UnixLabels.file_descr -> int -> mode:UnixLabels.seek_command -> int
  val truncate : string -> len:int -> unit
  val ftruncate : UnixLabels.file_descr -> len:int -> unit
  type file_kind =
    Unix.file_kind =
      S_REG
    | S_DIR
    | S_CHR
    | S_BLK
    | S_LNK
    | S_FIFO
    | S_SOCK
  type stats =
    Unix.stats = {
    st_dev : int;
    st_ino : int;
    st_kind : UnixLabels.file_kind;
    st_perm : UnixLabels.file_perm;
    st_nlink : int;
    st_uid : int;
    st_gid : int;
    st_rdev : int;
    st_size : int;
    st_atime : float;
    st_mtime : float;
    st_ctime : float;
  }
  val stat : string -> UnixLabels.stats
  val lstat : string -> UnixLabels.stats
  val fstat : UnixLabels.file_descr -> UnixLabels.stats
  val isatty : UnixLabels.file_descr -> bool
  module LargeFile :
    sig
      val lseek :
        UnixLabels.file_descr ->
        int64 -> mode:UnixLabels.seek_command -> int64
      val truncate : string -> len:int64 -> unit
      val ftruncate : UnixLabels.file_descr -> len:int64 -> unit
      type stats =
        Unix.LargeFile.stats = {
        st_dev : int;
        st_ino : int;
        st_kind : UnixLabels.file_kind;
        st_perm : UnixLabels.file_perm;
        st_nlink : int;
        st_uid : int;
        st_gid : int;
        st_rdev : int;
        st_size : int64;
        st_atime : float;
        st_mtime : float;
        st_ctime : float;
      }
      val stat : string -> UnixLabels.LargeFile.stats
      val lstat : string -> UnixLabels.LargeFile.stats
      val fstat : UnixLabels.file_descr -> UnixLabels.LargeFile.stats
    end
  val unlink : string -> unit
  val rename : src:string -> dst:string -> unit
  val link : src:string -> dst:string -> unit
  type access_permission = Unix.access_permission = R_OK | W_OK | X_OK | F_OK
  val chmod : string -> perm:UnixLabels.file_perm -> unit
  val fchmod : UnixLabels.file_descr -> perm:UnixLabels.file_perm -> unit
  val chown : string -> uid:int -> gid:int -> unit
  val fchown : UnixLabels.file_descr -> uid:int -> gid:int -> unit
  val umask : int -> int
  val access : string -> perm:UnixLabels.access_permission list -> unit
  val dup : ?cloexec:bool -> UnixLabels.file_descr -> UnixLabels.file_descr
  val dup2 :
    ?cloexec:bool ->
    src:UnixLabels.file_descr -> dst:UnixLabels.file_descr -> unit
  val set_nonblock : UnixLabels.file_descr -> unit
  val clear_nonblock : UnixLabels.file_descr -> unit
  val set_close_on_exec : UnixLabels.file_descr -> unit
  val clear_close_on_exec : UnixLabels.file_descr -> unit
  val mkdir : string -> perm:UnixLabels.file_perm -> unit
  val rmdir : string -> unit
  val chdir : string -> unit
  val getcwd : unit -> string
  val chroot : string -> unit
  type dir_handle = Unix.dir_handle
  val opendir : string -> UnixLabels.dir_handle
  val readdir : UnixLabels.dir_handle -> string
  val rewinddir : UnixLabels.dir_handle -> unit
  val closedir : UnixLabels.dir_handle -> unit
  val pipe :
    ?cloexec:bool -> unit -> UnixLabels.file_descr * UnixLabels.file_descr
  val mkfifo : string -> perm:UnixLabels.file_perm -> unit
  val create_process :
    prog:string ->
    args:string array ->
    stdin:UnixLabels.file_descr ->
    stdout:UnixLabels.file_descr -> stderr:UnixLabels.file_descr -> int
  val create_process_env :
    prog:string ->
    args:string array ->
    env:string array ->
    stdin:UnixLabels.file_descr ->
    stdout:UnixLabels.file_descr -> stderr:UnixLabels.file_descr -> int
  val open_process_in : string -> Pervasives.in_channel
  val open_process_out : string -> Pervasives.out_channel
  val open_process : string -> Pervasives.in_channel * Pervasives.out_channel
  val open_process_full :
    string ->
    env:string array ->
    Pervasives.in_channel * Pervasives.out_channel * Pervasives.in_channel
  val close_process_in : Pervasives.in_channel -> UnixLabels.process_status
  val close_process_out : Pervasives.out_channel -> UnixLabels.process_status
  val close_process :
    Pervasives.in_channel * Pervasives.out_channel ->
    UnixLabels.process_status
  val close_process_full :
    Pervasives.in_channel * Pervasives.out_channel * Pervasives.in_channel ->
    UnixLabels.process_status
  val symlink : ?to_dir:bool -> src:string -> dst:string -> unit
  val has_symlink : unit -> bool
  val readlink : string -> string
  val select :
    read:UnixLabels.file_descr list ->
    write:UnixLabels.file_descr list ->
    except:UnixLabels.file_descr list ->
    timeout:float ->
    UnixLabels.file_descr list * UnixLabels.file_descr list *
    UnixLabels.file_descr list
  type lock_command =
    Unix.lock_command =
      F_ULOCK
    | F_LOCK
    | F_TLOCK
    | F_TEST
    | F_RLOCK
    | F_TRLOCK
  val lockf :
    UnixLabels.file_descr -> mode:UnixLabels.lock_command -> len:int -> unit
  val kill : pid:int -> signal:int -> unit
  type sigprocmask_command =
    Unix.sigprocmask_command =
      SIG_SETMASK
    | SIG_BLOCK
    | SIG_UNBLOCK
  val sigprocmask :
    mode:UnixLabels.sigprocmask_command -> int list -> int list
  val sigpending : unit -> int list
  val sigsuspend : int list -> unit
  val pause : unit -> unit
  type process_times =
    Unix.process_times = {
    tms_utime : float;
    tms_stime : float;
    tms_cutime : float;
    tms_cstime : float;
  }
  type tm =
    Unix.tm = {
    tm_sec : int;
    tm_min : int;
    tm_hour : int;
    tm_mday : int;
    tm_mon : int;
    tm_year : int;
    tm_wday : int;
    tm_yday : int;
    tm_isdst : bool;
  }
  val time : unit -> float
  val gettimeofday : unit -> float
  val gmtime : float -> UnixLabels.tm
  val localtime : float -> UnixLabels.tm
  val mktime : UnixLabels.tm -> float * UnixLabels.tm
  val alarm : int -> int
  val sleep : int -> unit
  val times : unit -> UnixLabels.process_times
  val utimes : string -> access:float -> modif:float -> unit
  type interval_timer =
    Unix.interval_timer =
      ITIMER_REAL
    | ITIMER_VIRTUAL
    | ITIMER_PROF
  type interval_timer_status =
    Unix.interval_timer_status = {
    it_interval : float;
    it_value : float;
  }
  val getitimer :
    UnixLabels.interval_timer -> UnixLabels.interval_timer_status
  val setitimer :
    UnixLabels.interval_timer ->
    UnixLabels.interval_timer_status -> UnixLabels.interval_timer_status
  val getuid : unit -> int
  val geteuid : unit -> int
  val setuid : int -> unit
  val getgid : unit -> int
  val getegid : unit -> int
  val setgid : int -> unit
  val getgroups : unit -> int array
  val setgroups : int array -> unit
  val initgroups : string -> int -> unit
  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;
  }
  type group_entry =
    Unix.group_entry = {
    gr_name : string;
    gr_passwd : string;
    gr_gid : int;
    gr_mem : string array;
  }
  val getlogin : unit -> string
  val getpwnam : string -> UnixLabels.passwd_entry
  val getgrnam : string -> UnixLabels.group_entry
  val getpwuid : int -> UnixLabels.passwd_entry
  val getgrgid : int -> UnixLabels.group_entry
  type inet_addr = Unix.inet_addr
  val inet_addr_of_string : string -> UnixLabels.inet_addr
  val string_of_inet_addr : UnixLabels.inet_addr -> string
  val inet_addr_any : UnixLabels.inet_addr
  val inet_addr_loopback : UnixLabels.inet_addr
  val inet6_addr_any : UnixLabels.inet_addr
  val inet6_addr_loopback : UnixLabels.inet_addr
  type socket_domain = Unix.socket_domain = PF_UNIX | PF_INET | PF_INET6
  type socket_type =
    Unix.socket_type =
      SOCK_STREAM
    | SOCK_DGRAM
    | SOCK_RAW
    | SOCK_SEQPACKET
  type sockaddr =
    Unix.sockaddr =
      ADDR_UNIX of string
    | ADDR_INET of UnixLabels.inet_addr * int
  val socket :
    ?cloexec:bool ->
    domain:UnixLabels.socket_domain ->
    kind:UnixLabels.socket_type -> protocol:int -> UnixLabels.file_descr
  val domain_of_sockaddr : UnixLabels.sockaddr -> UnixLabels.socket_domain
  val socketpair :
    ?cloexec:bool ->
    domain:UnixLabels.socket_domain ->
    kind:UnixLabels.socket_type ->
    protocol:int -> UnixLabels.file_descr * UnixLabels.file_descr
  val accept :
    ?cloexec:bool ->
    UnixLabels.file_descr -> UnixLabels.file_descr * UnixLabels.sockaddr
  val bind : UnixLabels.file_descr -> addr:UnixLabels.sockaddr -> unit
  val connect : UnixLabels.file_descr -> addr:UnixLabels.sockaddr -> unit
  val listen : UnixLabels.file_descr -> max:int -> unit
  type shutdown_command =
    Unix.shutdown_command =
      SHUTDOWN_RECEIVE
    | SHUTDOWN_SEND
    | SHUTDOWN_ALL
  val shutdown :
    UnixLabels.file_descr -> mode:UnixLabels.shutdown_command -> unit
  val getsockname : UnixLabels.file_descr -> UnixLabels.sockaddr
  val getpeername : UnixLabels.file_descr -> UnixLabels.sockaddr
  type msg_flag = Unix.msg_flag = MSG_OOB | MSG_DONTROUTE | MSG_PEEK
  val recv :
    UnixLabels.file_descr ->
    buf:bytes -> pos:int -> len:int -> mode:UnixLabels.msg_flag list -> int
  val recvfrom :
    UnixLabels.file_descr ->
    buf:bytes ->
    pos:int ->
    len:int -> mode:UnixLabels.msg_flag list -> int * UnixLabels.sockaddr
  val send :
    UnixLabels.file_descr ->
    buf:bytes -> pos:int -> len:int -> mode:UnixLabels.msg_flag list -> int
  val send_substring :
    UnixLabels.file_descr ->
    buf:string -> pos:int -> len:int -> mode:UnixLabels.msg_flag list -> int
  val sendto :
    UnixLabels.file_descr ->
    buf:bytes ->
    pos:int ->
    len:int ->
    mode:UnixLabels.msg_flag list -> addr:UnixLabels.sockaddr -> int
  val sendto_substring :
    UnixLabels.file_descr ->
    buf:string ->
    pos:int ->
    len:int -> mode:UnixLabels.msg_flag list -> UnixLabels.sockaddr -> int
  type socket_bool_option =
      SO_DEBUG
    | SO_BROADCAST
    | SO_REUSEADDR
    | SO_KEEPALIVE
    | SO_DONTROUTE
    | SO_OOBINLINE
    | SO_ACCEPTCONN
    | TCP_NODELAY
    | IPV6_ONLY
  type socket_int_option =
      SO_SNDBUF
    | SO_RCVBUF
    | SO_ERROR
    | SO_TYPE
    | SO_RCVLOWAT
    | SO_SNDLOWAT
  type socket_optint_option = SO_LINGER
  type socket_float_option = SO_RCVTIMEO | SO_SNDTIMEO
  val getsockopt :
    UnixLabels.file_descr -> UnixLabels.socket_bool_option -> bool
  val setsockopt :
    UnixLabels.file_descr -> UnixLabels.socket_bool_option -> bool -> unit
  val getsockopt_int :
    UnixLabels.file_descr -> UnixLabels.socket_int_option -> int
  val setsockopt_int :
    UnixLabels.file_descr -> UnixLabels.socket_int_option -> int -> unit
  val getsockopt_optint :
    UnixLabels.file_descr -> UnixLabels.socket_optint_option -> int option
  val setsockopt_optint :
    UnixLabels.file_descr ->
    UnixLabels.socket_optint_option -> int option -> unit
  val getsockopt_float :
    UnixLabels.file_descr -> UnixLabels.socket_float_option -> float
  val setsockopt_float :
    UnixLabels.file_descr -> UnixLabels.socket_float_option -> float -> unit
  val getsockopt_error : UnixLabels.file_descr -> UnixLabels.error option
  val open_connection :
    UnixLabels.sockaddr -> Pervasives.in_channel * Pervasives.out_channel
  val shutdown_connection : Pervasives.in_channel -> unit
  val establish_server :
    (Pervasives.in_channel -> Pervasives.out_channel -> unit) ->
    addr:UnixLabels.sockaddr -> unit
  type host_entry =
    Unix.host_entry = {
    h_name : string;
    h_aliases : string array;
    h_addrtype : UnixLabels.socket_domain;
    h_addr_list : UnixLabels.inet_addr array;
  }
  type protocol_entry =
    Unix.protocol_entry = {
    p_name : string;
    p_aliases : string array;
    p_proto : int;
  }
  type service_entry =
    Unix.service_entry = {
    s_name : string;
    s_aliases : string array;
    s_port : int;
    s_proto : string;
  }
  val gethostname : unit -> string
  val gethostbyname : string -> UnixLabels.host_entry
  val gethostbyaddr : UnixLabels.inet_addr -> UnixLabels.host_entry
  val getprotobyname : string -> UnixLabels.protocol_entry
  val getprotobynumber : int -> UnixLabels.protocol_entry
  val getservbyname : string -> protocol:string -> UnixLabels.service_entry
  val getservbyport : int -> protocol:string -> UnixLabels.service_entry
  type addr_info = {
    ai_family : UnixLabels.socket_domain;
    ai_socktype : UnixLabels.socket_type;
    ai_protocol : int;
    ai_addr : UnixLabels.sockaddr;
    ai_canonname : string;
  }
  type getaddrinfo_option =
      AI_FAMILY of UnixLabels.socket_domain
    | AI_SOCKTYPE of UnixLabels.socket_type
    | AI_PROTOCOL of int
    | AI_NUMERICHOST
    | AI_CANONNAME
    | AI_PASSIVE
  val getaddrinfo :
    string ->
    string -> UnixLabels.getaddrinfo_option list -> UnixLabels.addr_info list
  type name_info = { ni_hostname : string; ni_service : string; }
  type getnameinfo_option =
      NI_NOFQDN
    | NI_NUMERICHOST
    | NI_NAMEREQD
    | NI_NUMERICSERV
    | NI_DGRAM
  val getnameinfo :
    UnixLabels.sockaddr ->
    UnixLabels.getnameinfo_option list -> UnixLabels.name_info
  type terminal_io =
    Unix.terminal_io = {
    mutable c_ignbrk : bool;
    mutable c_brkint : bool;
    mutable c_ignpar : bool;
    mutable c_parmrk : bool;
    mutable c_inpck : bool;
    mutable c_istrip : bool;
    mutable c_inlcr : bool;
    mutable c_igncr : bool;
    mutable c_icrnl : bool;
    mutable c_ixon : bool;
    mutable c_ixoff : bool;
    mutable c_opost : bool;
    mutable c_obaud : int;
    mutable c_ibaud : int;
    mutable c_csize : int;
    mutable c_cstopb : int;
    mutable c_cread : bool;
    mutable c_parenb : bool;
    mutable c_parodd : bool;
    mutable c_hupcl : bool;
    mutable c_clocal : bool;
    mutable c_isig : bool;
    mutable c_icanon : bool;
    mutable c_noflsh : bool;
    mutable c_echo : bool;
    mutable c_echoe : bool;
    mutable c_echok : bool;
    mutable c_echonl : bool;
    mutable c_vintr : char;
    mutable c_vquit : char;
    mutable c_verase : char;
    mutable c_vkill : char;
    mutable c_veof : char;
    mutable c_veol : char;
    mutable c_vmin : int;
    mutable c_vtime : int;
    mutable c_vstart : char;
    mutable c_vstop : char;
  }
  val tcgetattr : UnixLabels.file_descr -> UnixLabels.terminal_io
  type setattr_when = Unix.setattr_when = TCSANOW | TCSADRAIN | TCSAFLUSH
  val tcsetattr :
    UnixLabels.file_descr ->
    mode:UnixLabels.setattr_when -> UnixLabels.terminal_io -> unit
  val tcsendbreak : UnixLabels.file_descr -> duration:int -> unit
  val tcdrain : UnixLabels.file_descr -> unit
  type flush_queue = Unix.flush_queue = TCIFLUSH | TCOFLUSH | TCIOFLUSH
  val tcflush : UnixLabels.file_descr -> mode:UnixLabels.flush_queue -> unit
  type flow_action = Unix.flow_action = TCOOFF | TCOON | TCIOFF | TCION
  val tcflow : UnixLabels.file_descr -> mode:UnixLabels.flow_action -> unit
  val setsid : unit -> int
end
ocaml-doc-4.05/ocaml.html/libref/type_Pervasives.html0000644000175000017500000015307413131636450021631 0ustar mehdimehdi Pervasives sig
  external raise : exn -> 'a = "%raise"
  external raise_notrace : exn -> 'a = "%raise_notrace"
  val invalid_arg : string -> 'a
  val failwith : string -> 'a
  exception Exit
  external ( = ) : '-> '-> bool = "%equal"
  external ( <> ) : '-> '-> bool = "%notequal"
  external ( < ) : '-> '-> bool = "%lessthan"
  external ( > ) : '-> '-> bool = "%greaterthan"
  external ( <= ) : '-> '-> bool = "%lessequal"
  external ( >= ) : '-> '-> bool = "%greaterequal"
  external compare : '-> '-> int = "%compare"
  val min : '-> '-> 'a
  val max : '-> '-> 'a
  external ( == ) : '-> '-> bool = "%eq"
  external ( != ) : '-> '-> bool = "%noteq"
  external not : bool -> bool = "%boolnot"
  external ( && ) : bool -> bool -> bool = "%sequand"
  external ( & ) : bool -> bool -> bool = "%sequand"
  external ( || ) : bool -> bool -> bool = "%sequor"
  external ( or ) : bool -> bool -> bool = "%sequor"
  external __LOC__ : string = "%loc_LOC"
  external __FILE__ : string = "%loc_FILE"
  external __LINE__ : int = "%loc_LINE"
  external __MODULE__ : string = "%loc_MODULE"
  external __POS__ : string * int * int * int = "%loc_POS"
  external __LOC_OF__ : '-> string * 'a = "%loc_LOC"
  external __LINE_OF__ : '-> int * 'a = "%loc_LINE"
  external __POS_OF__ : '-> (string * int * int * int) * 'a = "%loc_POS"
  external ( |> ) : '-> ('-> 'b) -> 'b = "%revapply"
  external ( @@ ) : ('-> 'b) -> '-> 'b = "%apply"
  external ( ~- ) : int -> int = "%negint"
  external ( ~+ ) : int -> int = "%identity"
  external succ : int -> int = "%succint"
  external pred : int -> int = "%predint"
  external ( + ) : int -> int -> int = "%addint"
  external ( - ) : int -> int -> int = "%subint"
  external ( * ) : int -> int -> int = "%mulint"
  external ( / ) : int -> int -> int = "%divint"
  external ( mod ) : int -> int -> int = "%modint"
  val abs : int -> int
  val max_int : int
  val min_int : int
  external ( land ) : int -> int -> int = "%andint"
  external ( lor ) : int -> int -> int = "%orint"
  external ( lxor ) : int -> int -> int = "%xorint"
  val lnot : int -> int
  external ( lsl ) : int -> int -> int = "%lslint"
  external ( lsr ) : int -> int -> int = "%lsrint"
  external ( asr ) : int -> int -> int = "%asrint"
  external ( ~-. ) : float -> float = "%negfloat"
  external ( ~+. ) : float -> float = "%identity"
  external ( +. ) : float -> float -> float = "%addfloat"
  external ( -. ) : float -> float -> float = "%subfloat"
  external ( *. ) : float -> float -> float = "%mulfloat"
  external ( /. ) : float -> float -> float = "%divfloat"
  external ( ** ) : float -> float -> float = "caml_power_float" "pow"
    [@@unboxed] [@@noalloc]
  external sqrt : float -> float = "caml_sqrt_float" "sqrt" [@@unboxed]
    [@@noalloc]
  external exp : float -> float = "caml_exp_float" "exp" [@@unboxed]
    [@@noalloc]
  external log : float -> float = "caml_log_float" "log" [@@unboxed]
    [@@noalloc]
  external log10 : float -> float = "caml_log10_float" "log10" [@@unboxed]
    [@@noalloc]
  external expm1 : float -> float = "caml_expm1_float" "caml_expm1"
    [@@unboxed] [@@noalloc]
  external log1p : float -> float = "caml_log1p_float" "caml_log1p"
    [@@unboxed] [@@noalloc]
  external cos : float -> float = "caml_cos_float" "cos" [@@unboxed]
    [@@noalloc]
  external sin : float -> float = "caml_sin_float" "sin" [@@unboxed]
    [@@noalloc]
  external tan : float -> float = "caml_tan_float" "tan" [@@unboxed]
    [@@noalloc]
  external acos : float -> float = "caml_acos_float" "acos" [@@unboxed]
    [@@noalloc]
  external asin : float -> float = "caml_asin_float" "asin" [@@unboxed]
    [@@noalloc]
  external atan : float -> float = "caml_atan_float" "atan" [@@unboxed]
    [@@noalloc]
  external atan2 : float -> float -> float = "caml_atan2_float" "atan2"
    [@@unboxed] [@@noalloc]
  external hypot : float -> float -> float = "caml_hypot_float" "caml_hypot"
    [@@unboxed] [@@noalloc]
  external cosh : float -> float = "caml_cosh_float" "cosh" [@@unboxed]
    [@@noalloc]
  external sinh : float -> float = "caml_sinh_float" "sinh" [@@unboxed]
    [@@noalloc]
  external tanh : float -> float = "caml_tanh_float" "tanh" [@@unboxed]
    [@@noalloc]
  external ceil : float -> float = "caml_ceil_float" "ceil" [@@unboxed]
    [@@noalloc]
  external floor : float -> float = "caml_floor_float" "floor" [@@unboxed]
    [@@noalloc]
  external abs_float : float -> float = "%absfloat"
  external copysign : float -> float -> float = "caml_copysign_float"
    "caml_copysign" [@@unboxed] [@@noalloc]
  external mod_float : float -> float -> float = "caml_fmod_float" "fmod"
    [@@unboxed] [@@noalloc]
  external frexp : float -> float * int = "caml_frexp_float"
  external ldexp :
    (float [@unboxed]) -> (int [@untagged]) -> (float [@unboxed])
    = "caml_ldexp_float" "caml_ldexp_float_unboxed" [@@noalloc]
  external modf : float -> float * float = "caml_modf_float"
  external float : int -> float = "%floatofint"
  external float_of_int : int -> float = "%floatofint"
  external truncate : float -> int = "%intoffloat"
  external int_of_float : float -> int = "%intoffloat"
  val infinity : float
  val neg_infinity : float
  val nan : float
  val max_float : float
  val min_float : float
  val epsilon_float : float
  type fpclass = FP_normal | FP_subnormal | FP_zero | FP_infinite | FP_nan
  external classify_float : (float [@unboxed]) -> Pervasives.fpclass
    = "caml_classify_float" "caml_classify_float_unboxed" [@@noalloc]
  val ( ^ ) : string -> string -> string
  external int_of_char : char -> int = "%identity"
  val char_of_int : int -> char
  external ignore : '-> unit = "%ignore"
  val string_of_bool : bool -> string
  val bool_of_string : string -> bool
  val bool_of_string_opt : string -> bool option
  val string_of_int : int -> string
  external int_of_string : string -> int = "caml_int_of_string"
  val int_of_string_opt : string -> int option
  val string_of_float : float -> string
  external float_of_string : string -> float = "caml_float_of_string"
  val float_of_string_opt : string -> float option
  external fst : 'a * '-> 'a = "%field0"
  external snd : 'a * '-> 'b = "%field1"
  val ( @ ) : 'a list -> 'a list -> 'a list
  type in_channel
  type out_channel
  val stdin : Pervasives.in_channel
  val stdout : Pervasives.out_channel
  val stderr : Pervasives.out_channel
  val print_char : char -> unit
  val print_string : string -> unit
  val print_bytes : bytes -> unit
  val print_int : int -> unit
  val print_float : float -> unit
  val print_endline : string -> unit
  val print_newline : unit -> unit
  val prerr_char : char -> unit
  val prerr_string : string -> unit
  val prerr_bytes : bytes -> unit
  val prerr_int : int -> unit
  val prerr_float : float -> unit
  val prerr_endline : string -> unit
  val prerr_newline : unit -> unit
  val read_line : unit -> string
  val read_int : unit -> int
  val read_int_opt : unit -> int option
  val read_float : unit -> float
  val read_float_opt : unit -> float option
  type open_flag =
      Open_rdonly
    | Open_wronly
    | Open_append
    | Open_creat
    | Open_trunc
    | Open_excl
    | Open_binary
    | Open_text
    | Open_nonblock
  val open_out : string -> Pervasives.out_channel
  val open_out_bin : string -> Pervasives.out_channel
  val open_out_gen :
    Pervasives.open_flag list -> int -> string -> Pervasives.out_channel
  val flush : Pervasives.out_channel -> unit
  val flush_all : unit -> unit
  val output_char : Pervasives.out_channel -> char -> unit
  val output_string : Pervasives.out_channel -> string -> unit
  val output_bytes : Pervasives.out_channel -> bytes -> unit
  val output : Pervasives.out_channel -> bytes -> int -> int -> unit
  val output_substring :
    Pervasives.out_channel -> string -> int -> int -> unit
  val output_byte : Pervasives.out_channel -> int -> unit
  val output_binary_int : Pervasives.out_channel -> int -> unit
  val output_value : Pervasives.out_channel -> '-> unit
  val seek_out : Pervasives.out_channel -> int -> unit
  val pos_out : Pervasives.out_channel -> int
  val out_channel_length : Pervasives.out_channel -> int
  val close_out : Pervasives.out_channel -> unit
  val close_out_noerr : Pervasives.out_channel -> unit
  val set_binary_mode_out : Pervasives.out_channel -> bool -> unit
  val open_in : string -> Pervasives.in_channel
  val open_in_bin : string -> Pervasives.in_channel
  val open_in_gen :
    Pervasives.open_flag list -> int -> string -> Pervasives.in_channel
  val input_char : Pervasives.in_channel -> char
  val input_line : Pervasives.in_channel -> string
  val input : Pervasives.in_channel -> bytes -> int -> int -> int
  val really_input : Pervasives.in_channel -> bytes -> int -> int -> unit
  val really_input_string : Pervasives.in_channel -> int -> string
  val input_byte : Pervasives.in_channel -> int
  val input_binary_int : Pervasives.in_channel -> int
  val input_value : Pervasives.in_channel -> 'a
  val seek_in : Pervasives.in_channel -> int -> unit
  val pos_in : Pervasives.in_channel -> int
  val in_channel_length : Pervasives.in_channel -> int
  val close_in : Pervasives.in_channel -> unit
  val close_in_noerr : Pervasives.in_channel -> unit
  val set_binary_mode_in : Pervasives.in_channel -> bool -> unit
  module LargeFile :
    sig
      val seek_out : Pervasives.out_channel -> int64 -> unit
      val pos_out : Pervasives.out_channel -> int64
      val out_channel_length : Pervasives.out_channel -> int64
      val seek_in : Pervasives.in_channel -> int64 -> unit
      val pos_in : Pervasives.in_channel -> int64
      val in_channel_length : Pervasives.in_channel -> int64
    end
  type 'a ref = { mutable contents : 'a; }
  external ref : '-> 'Pervasives.ref = "%makemutable"
  external ( ! ) : 'Pervasives.ref -> 'a = "%field0"
  external ( := ) : 'Pervasives.ref -> '-> unit = "%setfield0"
  external incr : int Pervasives.ref -> unit = "%incr"
  external decr : int Pervasives.ref -> unit = "%decr"
  type ('a, 'b) result = Ok of '| Error of 'b
  type ('a, 'b, 'c, 'd, 'e, 'f) format6 =
      ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.format6
  type ('a, 'b, 'c, 'd) format4 = ('a, 'b, 'c, 'c, 'c, 'd) Pervasives.format6
  type ('a, 'b, 'c) format = ('a, 'b, 'c, 'c) Pervasives.format4
  val string_of_format :
    ('a, 'b, 'c, 'd, 'e, 'f) Pervasives.format6 -> string
  external format_of_string :
    ('a, 'b, 'c, 'd, 'e, 'f) Pervasives.format6 ->
    ('a, 'b, 'c, 'd, 'e, 'f) Pervasives.format6 = "%identity"
  val ( ^^ ) :
    ('a, 'b, 'c, 'd, 'e, 'f) Pervasives.format6 ->
    ('f, 'b, 'c, 'e, 'g, 'h) Pervasives.format6 ->
    ('a, 'b, 'c, 'd, 'g, 'h) Pervasives.format6
  val exit : int -> 'a
  val at_exit : (unit -> unit) -> unit
  val valid_float_lexem : string -> string
  val unsafe_really_input :
    Pervasives.in_channel -> bytes -> int -> int -> unit
  val do_at_exit : unit -> unit
end
ocaml-doc-4.05/ocaml.html/libref/MoreLabels.Set.S.html0000644000175000017500000003630113131636446021417 0ustar mehdimehdi MoreLabels.Set.S

Module type MoreLabels.Set.S

module type S = sig .. end

type elt 
type t 
val empty : t
val is_empty : t -> bool
val mem : elt -> t -> bool
val add : elt -> t -> t
val singleton : elt -> t
val remove : elt -> t -> t
val union : t -> t -> t
val inter : t -> t -> t
val diff : t -> t -> t
val compare : t -> t -> int
val equal : t -> t -> bool
val subset : t -> t -> bool
val iter : f:(elt -> unit) -> t -> unit
val map : f:(elt -> elt) ->
t -> t
val fold : f:(elt -> 'a -> 'a) -> t -> init:'a -> 'a
val for_all : f:(elt -> bool) -> t -> bool
val exists : f:(elt -> bool) -> t -> bool
val filter : f:(elt -> bool) -> t -> t
val partition : f:(elt -> bool) ->
t -> t * t
val cardinal : t -> int
val elements : t -> elt list
val min_elt : t -> elt
val min_elt_opt : t -> elt option
val max_elt : t -> elt
val max_elt_opt : t -> elt option
val choose : t -> elt
val choose_opt : t -> elt option
val split : elt ->
t -> t * bool * t
val find : elt -> t -> elt
val find_opt : elt -> t -> elt option
val find_first : f:(elt -> bool) ->
t -> elt
val find_first_opt : f:(elt -> bool) ->
t -> elt option
val find_last : f:(elt -> bool) ->
t -> elt
val find_last_opt : f:(elt -> bool) ->
t -> elt option
val of_list : elt list -> t
ocaml-doc-4.05/ocaml.html/libref/Ephemeron.K2.Make.html0000644000175000017500000002304513131636443021506 0ustar mehdimehdi Ephemeron.K2.Make

Functor Ephemeron.K2.Make

module Make: 
functor (H1 : Hashtbl.HashedType-> 
functor (H2 : Hashtbl.HashedType-> Ephemeron.S with type key = H1.t * H2.t
Functor building an implementation of a weak hash table
Parameters:
H1 : Hashtbl.HashedType
H2 : Hashtbl.HashedType


Propose the same interface as usual hash table. However since the bindings are weak, even if mem h k is true, a subsequent find h k may raise Not_found because the garbage collector can run between the two.

Moreover, the table shouldn't be modified during a call to iter. Use filter_map_inplace in this case.

include Hashtbl.S
val clean : 'a t -> unit
remove all dead bindings. Done automatically during automatic resizing.
val stats_alive : 'a t -> Hashtbl.statistics
same as Hashtbl.SeededS.stats but only count the alive bindings
ocaml-doc-4.05/ocaml.html/libref/type_Parsetree.html0000644000175000017500000020300413131636450021421 0ustar mehdimehdi Parsetree sig
  type constant =
      Pconst_integer of string * char option
    | Pconst_char of char
    | Pconst_string of string * string option
    | Pconst_float of string * char option
  type attribute = string Asttypes.loc * Parsetree.payload
  and extension = string Asttypes.loc * Parsetree.payload
  and attributes = Parsetree.attribute list
  and payload =
      PStr of Parsetree.structure
    | PSig of Parsetree.signature
    | PTyp of Parsetree.core_type
    | PPat of Parsetree.pattern * Parsetree.expression option
  and core_type = {
    ptyp_desc : Parsetree.core_type_desc;
    ptyp_loc : Location.t;
    ptyp_attributes : Parsetree.attributes;
  }
  and core_type_desc =
      Ptyp_any
    | Ptyp_var of string
    | Ptyp_arrow of Asttypes.arg_label * Parsetree.core_type *
        Parsetree.core_type
    | Ptyp_tuple of Parsetree.core_type list
    | Ptyp_constr of Longident.t Asttypes.loc * Parsetree.core_type list
    | Ptyp_object of
        (string Asttypes.loc * Parsetree.attributes * Parsetree.core_type)
        list * Asttypes.closed_flag
    | Ptyp_class of Longident.t Asttypes.loc * Parsetree.core_type list
    | Ptyp_alias of Parsetree.core_type * string
    | Ptyp_variant of Parsetree.row_field list * Asttypes.closed_flag *
        Asttypes.label list option
    | Ptyp_poly of string Asttypes.loc list * Parsetree.core_type
    | Ptyp_package of Parsetree.package_type
    | Ptyp_extension of Parsetree.extension
  and package_type =
      Longident.t Asttypes.loc *
      (Longident.t Asttypes.loc * Parsetree.core_type) list
  and row_field =
      Rtag of Asttypes.label * Parsetree.attributes * bool *
        Parsetree.core_type list
    | Rinherit of Parsetree.core_type
  and pattern = {
    ppat_desc : Parsetree.pattern_desc;
    ppat_loc : Location.t;
    ppat_attributes : Parsetree.attributes;
  }
  and pattern_desc =
      Ppat_any
    | Ppat_var of string Asttypes.loc
    | Ppat_alias of Parsetree.pattern * string Asttypes.loc
    | Ppat_constant of Parsetree.constant
    | Ppat_interval of Parsetree.constant * Parsetree.constant
    | Ppat_tuple of Parsetree.pattern list
    | Ppat_construct of Longident.t Asttypes.loc * Parsetree.pattern option
    | Ppat_variant of Asttypes.label * Parsetree.pattern option
    | Ppat_record of (Longident.t Asttypes.loc * Parsetree.pattern) list *
        Asttypes.closed_flag
    | Ppat_array of Parsetree.pattern list
    | Ppat_or of Parsetree.pattern * Parsetree.pattern
    | Ppat_constraint of Parsetree.pattern * Parsetree.core_type
    | Ppat_type of Longident.t Asttypes.loc
    | Ppat_lazy of Parsetree.pattern
    | Ppat_unpack of string Asttypes.loc
    | Ppat_exception of Parsetree.pattern
    | Ppat_extension of Parsetree.extension
    | Ppat_open of Longident.t Asttypes.loc * Parsetree.pattern
  and expression = {
    pexp_desc : Parsetree.expression_desc;
    pexp_loc : Location.t;
    pexp_attributes : Parsetree.attributes;
  }
  and expression_desc =
      Pexp_ident of Longident.t Asttypes.loc
    | Pexp_constant of Parsetree.constant
    | Pexp_let of Asttypes.rec_flag * Parsetree.value_binding list *
        Parsetree.expression
    | Pexp_function of Parsetree.case list
    | Pexp_fun of Asttypes.arg_label * Parsetree.expression option *
        Parsetree.pattern * Parsetree.expression
    | Pexp_apply of Parsetree.expression *
        (Asttypes.arg_label * Parsetree.expression) list
    | Pexp_match of Parsetree.expression * Parsetree.case list
    | Pexp_try of Parsetree.expression * Parsetree.case list
    | Pexp_tuple of Parsetree.expression list
    | Pexp_construct of Longident.t Asttypes.loc *
        Parsetree.expression option
    | Pexp_variant of Asttypes.label * Parsetree.expression option
    | Pexp_record of (Longident.t Asttypes.loc * Parsetree.expression) list *
        Parsetree.expression option
    | Pexp_field of Parsetree.expression * Longident.t Asttypes.loc
    | Pexp_setfield of Parsetree.expression * Longident.t Asttypes.loc *
        Parsetree.expression
    | Pexp_array of Parsetree.expression list
    | Pexp_ifthenelse of Parsetree.expression * Parsetree.expression *
        Parsetree.expression option
    | Pexp_sequence of Parsetree.expression * Parsetree.expression
    | Pexp_while of Parsetree.expression * Parsetree.expression
    | Pexp_for of Parsetree.pattern * Parsetree.expression *
        Parsetree.expression * Asttypes.direction_flag * Parsetree.expression
    | Pexp_constraint of Parsetree.expression * Parsetree.core_type
    | Pexp_coerce of Parsetree.expression * Parsetree.core_type option *
        Parsetree.core_type
    | Pexp_send of Parsetree.expression * string Asttypes.loc
    | Pexp_new of Longident.t Asttypes.loc
    | Pexp_setinstvar of string Asttypes.loc * Parsetree.expression
    | Pexp_override of (string Asttypes.loc * Parsetree.expression) list
    | Pexp_letmodule of string Asttypes.loc * Parsetree.module_expr *
        Parsetree.expression
    | Pexp_letexception of Parsetree.extension_constructor *
        Parsetree.expression
    | Pexp_assert of Parsetree.expression
    | Pexp_lazy of Parsetree.expression
    | Pexp_poly of Parsetree.expression * Parsetree.core_type option
    | Pexp_object of Parsetree.class_structure
    | Pexp_newtype of string Asttypes.loc * Parsetree.expression
    | Pexp_pack of Parsetree.module_expr
    | Pexp_open of Asttypes.override_flag * Longident.t Asttypes.loc *
        Parsetree.expression
    | Pexp_extension of Parsetree.extension
    | Pexp_unreachable
  and case = {
    pc_lhs : Parsetree.pattern;
    pc_guard : Parsetree.expression option;
    pc_rhs : Parsetree.expression;
  }
  and value_description = {
    pval_name : string Asttypes.loc;
    pval_type : Parsetree.core_type;
    pval_prim : string list;
    pval_attributes : Parsetree.attributes;
    pval_loc : Location.t;
  }
  and type_declaration = {
    ptype_name : string Asttypes.loc;
    ptype_params : (Parsetree.core_type * Asttypes.variance) list;
    ptype_cstrs :
      (Parsetree.core_type * Parsetree.core_type * Location.t) list;
    ptype_kind : Parsetree.type_kind;
    ptype_private : Asttypes.private_flag;
    ptype_manifest : Parsetree.core_type option;
    ptype_attributes : Parsetree.attributes;
    ptype_loc : Location.t;
  }
  and type_kind =
      Ptype_abstract
    | Ptype_variant of Parsetree.constructor_declaration list
    | Ptype_record of Parsetree.label_declaration list
    | Ptype_open
  and label_declaration = {
    pld_name : string Asttypes.loc;
    pld_mutable : Asttypes.mutable_flag;
    pld_type : Parsetree.core_type;
    pld_loc : Location.t;
    pld_attributes : Parsetree.attributes;
  }
  and constructor_declaration = {
    pcd_name : string Asttypes.loc;
    pcd_args : Parsetree.constructor_arguments;
    pcd_res : Parsetree.core_type option;
    pcd_loc : Location.t;
    pcd_attributes : Parsetree.attributes;
  }
  and constructor_arguments =
      Pcstr_tuple of Parsetree.core_type list
    | Pcstr_record of Parsetree.label_declaration list
  and type_extension = {
    ptyext_path : Longident.t Asttypes.loc;
    ptyext_params : (Parsetree.core_type * Asttypes.variance) list;
    ptyext_constructors : Parsetree.extension_constructor list;
    ptyext_private : Asttypes.private_flag;
    ptyext_attributes : Parsetree.attributes;
  }
  and extension_constructor = {
    pext_name : string Asttypes.loc;
    pext_kind : Parsetree.extension_constructor_kind;
    pext_loc : Location.t;
    pext_attributes : Parsetree.attributes;
  }
  and extension_constructor_kind =
      Pext_decl of Parsetree.constructor_arguments *
        Parsetree.core_type option
    | Pext_rebind of Longident.t Asttypes.loc
  and class_type = {
    pcty_desc : Parsetree.class_type_desc;
    pcty_loc : Location.t;
    pcty_attributes : Parsetree.attributes;
  }
  and class_type_desc =
      Pcty_constr of Longident.t Asttypes.loc * Parsetree.core_type list
    | Pcty_signature of Parsetree.class_signature
    | Pcty_arrow of Asttypes.arg_label * Parsetree.core_type *
        Parsetree.class_type
    | Pcty_extension of Parsetree.extension
  and class_signature = {
    pcsig_self : Parsetree.core_type;
    pcsig_fields : Parsetree.class_type_field list;
  }
  and class_type_field = {
    pctf_desc : Parsetree.class_type_field_desc;
    pctf_loc : Location.t;
    pctf_attributes : Parsetree.attributes;
  }
  and class_type_field_desc =
      Pctf_inherit of Parsetree.class_type
    | Pctf_val of
        (string Asttypes.loc * Asttypes.mutable_flag *
         Asttypes.virtual_flag * Parsetree.core_type)
    | Pctf_method of
        (string Asttypes.loc * Asttypes.private_flag *
         Asttypes.virtual_flag * Parsetree.core_type)
    | Pctf_constraint of (Parsetree.core_type * Parsetree.core_type)
    | Pctf_attribute of Parsetree.attribute
    | Pctf_extension of Parsetree.extension
  and 'a class_infos = {
    pci_virt : Asttypes.virtual_flag;
    pci_params : (Parsetree.core_type * Asttypes.variance) list;
    pci_name : string Asttypes.loc;
    pci_expr : 'a;
    pci_loc : Location.t;
    pci_attributes : Parsetree.attributes;
  }
  and class_description = Parsetree.class_type Parsetree.class_infos
  and class_type_declaration = Parsetree.class_type Parsetree.class_infos
  and class_expr = {
    pcl_desc : Parsetree.class_expr_desc;
    pcl_loc : Location.t;
    pcl_attributes : Parsetree.attributes;
  }
  and class_expr_desc =
      Pcl_constr of Longident.t Asttypes.loc * Parsetree.core_type list
    | Pcl_structure of Parsetree.class_structure
    | Pcl_fun of Asttypes.arg_label * Parsetree.expression option *
        Parsetree.pattern * Parsetree.class_expr
    | Pcl_apply of Parsetree.class_expr *
        (Asttypes.arg_label * Parsetree.expression) list
    | Pcl_let of Asttypes.rec_flag * Parsetree.value_binding list *
        Parsetree.class_expr
    | Pcl_constraint of Parsetree.class_expr * Parsetree.class_type
    | Pcl_extension of Parsetree.extension
  and class_structure = {
    pcstr_self : Parsetree.pattern;
    pcstr_fields : Parsetree.class_field list;
  }
  and class_field = {
    pcf_desc : Parsetree.class_field_desc;
    pcf_loc : Location.t;
    pcf_attributes : Parsetree.attributes;
  }
  and class_field_desc =
      Pcf_inherit of Asttypes.override_flag * Parsetree.class_expr *
        string Asttypes.loc option
    | Pcf_val of
        (string Asttypes.loc * Asttypes.mutable_flag *
         Parsetree.class_field_kind)
    | Pcf_method of
        (string Asttypes.loc * Asttypes.private_flag *
         Parsetree.class_field_kind)
    | Pcf_constraint of (Parsetree.core_type * Parsetree.core_type)
    | Pcf_initializer of Parsetree.expression
    | Pcf_attribute of Parsetree.attribute
    | Pcf_extension of Parsetree.extension
  and class_field_kind =
      Cfk_virtual of Parsetree.core_type
    | Cfk_concrete of Asttypes.override_flag * Parsetree.expression
  and class_declaration = Parsetree.class_expr Parsetree.class_infos
  and module_type = {
    pmty_desc : Parsetree.module_type_desc;
    pmty_loc : Location.t;
    pmty_attributes : Parsetree.attributes;
  }
  and module_type_desc =
      Pmty_ident of Longident.t Asttypes.loc
    | Pmty_signature of Parsetree.signature
    | Pmty_functor of string Asttypes.loc * Parsetree.module_type option *
        Parsetree.module_type
    | Pmty_with of Parsetree.module_type * Parsetree.with_constraint list
    | Pmty_typeof of Parsetree.module_expr
    | Pmty_extension of Parsetree.extension
    | Pmty_alias of Longident.t Asttypes.loc
  and signature = Parsetree.signature_item list
  and signature_item = {
    psig_desc : Parsetree.signature_item_desc;
    psig_loc : Location.t;
  }
  and signature_item_desc =
      Psig_value of Parsetree.value_description
    | Psig_type of Asttypes.rec_flag * Parsetree.type_declaration list
    | Psig_typext of Parsetree.type_extension
    | Psig_exception of Parsetree.extension_constructor
    | Psig_module of Parsetree.module_declaration
    | Psig_recmodule of Parsetree.module_declaration list
    | Psig_modtype of Parsetree.module_type_declaration
    | Psig_open of Parsetree.open_description
    | Psig_include of Parsetree.include_description
    | Psig_class of Parsetree.class_description list
    | Psig_class_type of Parsetree.class_type_declaration list
    | Psig_attribute of Parsetree.attribute
    | Psig_extension of Parsetree.extension * Parsetree.attributes
  and module_declaration = {
    pmd_name : string Asttypes.loc;
    pmd_type : Parsetree.module_type;
    pmd_attributes : Parsetree.attributes;
    pmd_loc : Location.t;
  }
  and module_type_declaration = {
    pmtd_name : string Asttypes.loc;
    pmtd_type : Parsetree.module_type option;
    pmtd_attributes : Parsetree.attributes;
    pmtd_loc : Location.t;
  }
  and open_description = {
    popen_lid : Longident.t Asttypes.loc;
    popen_override : Asttypes.override_flag;
    popen_loc : Location.t;
    popen_attributes : Parsetree.attributes;
  }
  and 'a include_infos = {
    pincl_mod : 'a;
    pincl_loc : Location.t;
    pincl_attributes : Parsetree.attributes;
  }
  and include_description = Parsetree.module_type Parsetree.include_infos
  and include_declaration = Parsetree.module_expr Parsetree.include_infos
  and with_constraint =
      Pwith_type of Longident.t Asttypes.loc * Parsetree.type_declaration
    | Pwith_module of Longident.t Asttypes.loc * Longident.t Asttypes.loc
    | Pwith_typesubst of Parsetree.type_declaration
    | Pwith_modsubst of string Asttypes.loc * Longident.t Asttypes.loc
  and module_expr = {
    pmod_desc : Parsetree.module_expr_desc;
    pmod_loc : Location.t;
    pmod_attributes : Parsetree.attributes;
  }
  and module_expr_desc =
      Pmod_ident of Longident.t Asttypes.loc
    | Pmod_structure of Parsetree.structure
    | Pmod_functor of string Asttypes.loc * Parsetree.module_type option *
        Parsetree.module_expr
    | Pmod_apply of Parsetree.module_expr * Parsetree.module_expr
    | Pmod_constraint of Parsetree.module_expr * Parsetree.module_type
    | Pmod_unpack of Parsetree.expression
    | Pmod_extension of Parsetree.extension
  and structure = Parsetree.structure_item list
  and structure_item = {
    pstr_desc : Parsetree.structure_item_desc;
    pstr_loc : Location.t;
  }
  and structure_item_desc =
      Pstr_eval of Parsetree.expression * Parsetree.attributes
    | Pstr_value of Asttypes.rec_flag * Parsetree.value_binding list
    | Pstr_primitive of Parsetree.value_description
    | Pstr_type of Asttypes.rec_flag * Parsetree.type_declaration list
    | Pstr_typext of Parsetree.type_extension
    | Pstr_exception of Parsetree.extension_constructor
    | Pstr_module of Parsetree.module_binding
    | Pstr_recmodule of Parsetree.module_binding list
    | Pstr_modtype of Parsetree.module_type_declaration
    | Pstr_open of Parsetree.open_description
    | Pstr_class of Parsetree.class_declaration list
    | Pstr_class_type of Parsetree.class_type_declaration list
    | Pstr_include of Parsetree.include_declaration
    | Pstr_attribute of Parsetree.attribute
    | Pstr_extension of Parsetree.extension * Parsetree.attributes
  and value_binding = {
    pvb_pat : Parsetree.pattern;
    pvb_expr : Parsetree.expression;
    pvb_attributes : Parsetree.attributes;
    pvb_loc : Location.t;
  }
  and module_binding = {
    pmb_name : string Asttypes.loc;
    pmb_expr : Parsetree.module_expr;
    pmb_attributes : Parsetree.attributes;
    pmb_loc : Location.t;
  }
  type toplevel_phrase =
      Ptop_def of Parsetree.structure
    | Ptop_dir of string * Parsetree.directive_argument
  and directive_argument =
      Pdir_none
    | Pdir_string of string
    | Pdir_int of string * char option
    | Pdir_ident of Longident.t
    | Pdir_bool of bool
end
ocaml-doc-4.05/ocaml.html/libref/type_Oo.html0000644000175000017500000001635213131636447020062 0ustar mehdimehdi Oo sig
  val copy : (< .. > as 'a) -> 'a
  external id : < .. > -> int = "%field1"
  val new_method : string -> CamlinternalOO.tag
  val public_method_label : string -> CamlinternalOO.tag
end
ocaml-doc-4.05/ocaml.html/libref/type_Parse.html0000644000175000017500000001775413131636447020566 0ustar mehdimehdi Parse sig
  val implementation : Lexing.lexbuf -> Parsetree.structure
  val interface : Lexing.lexbuf -> Parsetree.signature
  val toplevel_phrase : Lexing.lexbuf -> Parsetree.toplevel_phrase
  val use_file : Lexing.lexbuf -> Parsetree.toplevel_phrase list
  val core_type : Lexing.lexbuf -> Parsetree.core_type
  val expression : Lexing.lexbuf -> Parsetree.expression
  val pattern : Lexing.lexbuf -> Parsetree.pattern
end
ocaml-doc-4.05/ocaml.html/libref/type_MoreLabels.Set.OrderedType.html0000644000175000017500000001471013131636446024504 0ustar mehdimehdi MoreLabels.Set.OrderedType Set.OrderedTypeocaml-doc-4.05/ocaml.html/libref/Printexc.html0000644000175000017500000006330713131636450020234 0ustar mehdimehdi Printexc

Module Printexc

module Printexc: sig .. end
Facilities for printing exceptions and inspecting current call stack.

val to_string : exn -> string
Printexc.to_string e returns a string representation of the exception e.
val print : ('a -> 'b) -> 'a -> 'b
Printexc.print fn x applies fn to x and returns the result. If the evaluation of fn x raises any exception, the name of the exception is printed on standard error output, and the exception is raised again. The typical use is to catch and report exceptions that escape a function application.
val catch : ('a -> 'b) -> 'a -> 'b
Printexc.catch fn x is similar to Printexc.print, but aborts the program with exit code 2 after printing the uncaught exception. This function is deprecated: the runtime system is now able to print uncaught exceptions as precisely as Printexc.catch does. Moreover, calling Printexc.catch makes it harder to track the location of the exception using the debugger or the stack backtrace facility. So, do not use Printexc.catch in new code.
val print_backtrace : out_channel -> unit
Printexc.print_backtrace oc prints an exception backtrace on the output channel oc. The backtrace lists the program locations where the most-recently raised exception was raised and where it was propagated through function calls.

If the call is not inside an exception handler, the returned backtrace is unspecified. If the call is after some exception-catching code (before in the handler, or in a when-guard during the matching of the exception handler), the backtrace may correspond to a later exception than the handled one.
Since 3.11.0

val get_backtrace : unit -> string
Printexc.get_backtrace () returns a string containing the same exception backtrace that Printexc.print_backtrace would print. Same restriction usage than Printexc.print_backtrace.
Since 3.11.0
val record_backtrace : bool -> unit
Printexc.record_backtrace b turns recording of exception backtraces on (if b = true) or off (if b = false). Initially, backtraces are not recorded, unless the b flag is given to the program through the OCAMLRUNPARAM variable.
Since 3.11.0
val backtrace_status : unit -> bool
Printexc.backtrace_status() returns true if exception backtraces are currently recorded, false if not.
Since 3.11.0
val register_printer : (exn -> string option) -> unit
Printexc.register_printer fn registers fn as an exception printer. The printer should return None or raise an exception if it does not know how to convert the passed exception, and Some
    s
with s the resulting string if it can convert the passed exception. Exceptions raised by the printer are ignored.

When converting an exception into a string, the printers will be invoked in the reverse order of their registrations, until a printer returns a Some s value (if no such printer exists, the runtime will use a generic printer).

When using this mechanism, one should be aware that an exception backtrace is attached to the thread that saw it raised, rather than to the exception itself. Practically, it means that the code related to fn should not use the backtrace if it has itself raised an exception before.
Since 3.11.2


Raw backtraces

type raw_backtrace 
The abstract type raw_backtrace stores a backtrace in a low-level format, instead of directly exposing them as string as the get_backtrace() function does.

This allows delaying the formatting of backtraces to when they are actually printed, which may be useful if you record more backtraces than you print.

Raw backtraces cannot be marshalled. If you need marshalling, you should use the array returned by the backtrace_slots function of the next section.
Since 4.01.0

val get_raw_backtrace : unit -> raw_backtrace
Printexc.get_raw_backtrace () returns the same exception backtrace that Printexc.print_backtrace would print, but in a raw format. Same restriction usage than Printexc.print_backtrace.
Since 4.01.0
val print_raw_backtrace : out_channel -> raw_backtrace -> unit
Print a raw backtrace in the same format Printexc.print_backtrace uses.
Since 4.01.0
val raw_backtrace_to_string : raw_backtrace -> string
Return a string from a raw backtrace, in the same format Printexc.get_backtrace uses.
Since 4.01.0
val raise_with_backtrace : exn -> raw_backtrace -> 'a
Reraise the exception using the given raw_backtrace for the origin of the exception
Since 4.05.0

Current call stack

val get_callstack : int -> raw_backtrace
Printexc.get_callstack n returns a description of the top of the call stack on the current program point (for the current thread), with at most n entries. (Note: this function is not related to exceptions at all, despite being part of the Printexc module.)
Since 4.01.0

Uncaught exceptions

val set_uncaught_exception_handler : (exn -> raw_backtrace -> unit) -> unit
Printexc.set_uncaught_exception_handler fn registers fn as the handler for uncaught exceptions. The default handler prints the exception and backtrace on standard error output.

Note that when fn is called all the functions registered with at_exit have already been called. Because of this you must make sure any output channel fn writes on is flushed.

Also note that exceptions raised by user code in the interactive toplevel are not passed to this function as they are caught by the toplevel itself.

If fn raises an exception, both the exceptions passed to fn and raised by fn will be printed with their respective backtrace.
Since 4.02.0


Manipulation of backtrace information

These functions are used to traverse the slots of a raw backtrace and extract information from them in a programmer-friendly format.

type backtrace_slot 
The abstract type backtrace_slot represents a single slot of a backtrace.
Since 4.02
val backtrace_slots : raw_backtrace -> backtrace_slot array option
Returns the slots of a raw backtrace, or None if none of them contain useful information.

In the return array, the slot at index 0 corresponds to the most recent function call, raise, or primitive get_backtrace call in the trace.

Some possible reasons for returning None are as follow:


Since 4.02.0
type location = {
   filename : string;
   line_number : int;
   start_char : int;
   end_char : int;
}
The type of location information found in backtraces. start_char and end_char are positions relative to the beginning of the line.
Since 4.02
module Slot: sig .. end

Raw backtrace slots

type raw_backtrace_slot 
This type allows direct access to raw backtrace slots, without any conversion in an OCaml-usable data-structure. Being process-specific, they must absolutely not be marshalled, and are unsafe to use for this reason (marshalling them may not fail, but un-marshalling and using the result will result in undefined behavior).

Elements of this type can still be compared and hashed: when two elements are equal, then they represent the same source location (the converse is not necessarily true in presence of inlining, for example).
Since 4.02.0

val raw_backtrace_length : raw_backtrace -> int
raw_backtrace_length bckt returns the number of slots in the backtrace bckt.
Since 4.02
val get_raw_backtrace_slot : raw_backtrace -> int -> raw_backtrace_slot
get_raw_backtrace_slot bckt pos returns the slot in position pos in the backtrace bckt.
Since 4.02
val convert_raw_backtrace_slot : raw_backtrace_slot -> backtrace_slot
Extracts the user-friendly backtrace_slot from a low-level raw_backtrace_slot.
Since 4.02
val get_raw_backtrace_next_slot : raw_backtrace_slot -> raw_backtrace_slot option
get_raw_backtrace_next_slot slot returns the next slot inlined, if any.

Sample code to iterate over all frames (inlined and non-inlined):

      (* Iterate over inlined frames *)
      let rec iter_raw_backtrace_slot f slot =
        f slot;
        match get_raw_backtrace_next_slot slot with
        | None -> ()
        | Some slot' -> iter_raw_backtrace_slot f slot'

      (* Iterate over stack frames *)
      let iter_raw_backtrace f bt =
        for i = 0 to raw_backtrace_length bt - 1 do
          iter_raw_backtrace_slot f (get_raw_backtrace_slot bt i)
        done
    

Since 4.04.0

Exception slots

val exn_slot_id : exn -> int
Printexc.exn_slot_id returns an integer which uniquely identifies the constructor used to create the exception value exn (in the current runtime).
Since 4.02.0
val exn_slot_name : exn -> string
Printexc.exn_slot_name exn returns the internal name of the constructor used to create the exception value exn.
Since 4.02.0
ocaml-doc-4.05/ocaml.html/libref/type_Num.html0000644000175000017500000005007313131636447020242 0ustar mehdimehdi Num sig
  type num = Int of int | Big_int of Big_int.big_int | Ratio of Ratio.ratio
  val ( +/ ) : Num.num -> Num.num -> Num.num
  val add_num : Num.num -> Num.num -> Num.num
  val minus_num : Num.num -> Num.num
  val ( -/ ) : Num.num -> Num.num -> Num.num
  val sub_num : Num.num -> Num.num -> Num.num
  val ( */ ) : Num.num -> Num.num -> Num.num
  val mult_num : Num.num -> Num.num -> Num.num
  val square_num : Num.num -> Num.num
  val ( // ) : Num.num -> Num.num -> Num.num
  val div_num : Num.num -> Num.num -> Num.num
  val quo_num : Num.num -> Num.num -> Num.num
  val mod_num : Num.num -> Num.num -> Num.num
  val ( **/ ) : Num.num -> Num.num -> Num.num
  val power_num : Num.num -> Num.num -> Num.num
  val abs_num : Num.num -> Num.num
  val succ_num : Num.num -> Num.num
  val pred_num : Num.num -> Num.num
  val incr_num : Num.num Pervasives.ref -> unit
  val decr_num : Num.num Pervasives.ref -> unit
  val is_integer_num : Num.num -> bool
  val integer_num : Num.num -> Num.num
  val floor_num : Num.num -> Num.num
  val round_num : Num.num -> Num.num
  val ceiling_num : Num.num -> Num.num
  val sign_num : Num.num -> int
  val ( =/ ) : Num.num -> Num.num -> bool
  val ( </ ) : Num.num -> Num.num -> bool
  val ( >/ ) : Num.num -> Num.num -> bool
  val ( <=/ ) : Num.num -> Num.num -> bool
  val ( >=/ ) : Num.num -> Num.num -> bool
  val ( <>/ ) : Num.num -> Num.num -> bool
  val eq_num : Num.num -> Num.num -> bool
  val lt_num : Num.num -> Num.num -> bool
  val le_num : Num.num -> Num.num -> bool
  val gt_num : Num.num -> Num.num -> bool
  val ge_num : Num.num -> Num.num -> bool
  val compare_num : Num.num -> Num.num -> int
  val max_num : Num.num -> Num.num -> Num.num
  val min_num : Num.num -> Num.num -> Num.num
  val string_of_num : Num.num -> string
  val approx_num_fix : int -> Num.num -> string
  val approx_num_exp : int -> Num.num -> string
  val num_of_string : string -> Num.num
  val num_of_string_opt : string -> Num.num option
  val int_of_num : Num.num -> int
  val int_of_num_opt : Num.num -> int option
  val num_of_int : int -> Num.num
  val nat_of_num : Num.num -> Nat.nat
  val nat_of_num_opt : Num.num -> Nat.nat option
  val num_of_nat : Nat.nat -> Num.num
  val num_of_big_int : Big_int.big_int -> Num.num
  val big_int_of_num : Num.num -> Big_int.big_int
  val big_int_of_num_opt : Num.num -> Big_int.big_int option
  val ratio_of_num : Num.num -> Ratio.ratio
  val num_of_ratio : Ratio.ratio -> Num.num
  val float_of_num : Num.num -> float
end
ocaml-doc-4.05/ocaml.html/libref/Bigarray.Array3.html0000644000175000017500000005147413131636442021343 0ustar mehdimehdi Bigarray.Array3

Module Bigarray.Array3

module Array3: sig .. end
Three-dimensional arrays. The Array3 structure provides operations similar to those of Bigarray.Genarray, but specialized to the case of three-dimensional arrays.

type ('a, 'b, 'c) t 
The type of three-dimensional big arrays whose elements have OCaml type 'a, representation kind 'b, and memory layout 'c.
val create : ('a, 'b) Bigarray.kind ->
'c Bigarray.layout -> int -> int -> int -> ('a, 'b, 'c) t
Array3.create kind layout dim1 dim2 dim3 returns a new bigarray of three dimension, whose size is dim1 in the first dimension, dim2 in the second dimension, and dim3 in the third. kind and layout determine the array element kind and the array layout as described for Bigarray.Genarray.create.
val dim1 : ('a, 'b, 'c) t -> int
Return the first dimension of the given three-dimensional big array.
val dim2 : ('a, 'b, 'c) t -> int
Return the second dimension of the given three-dimensional big array.
val dim3 : ('a, 'b, 'c) t -> int
Return the third dimension of the given three-dimensional big array.
val kind : ('a, 'b, 'c) t -> ('a, 'b) Bigarray.kind
Return the kind of the given big array.
val layout : ('a, 'b, 'c) t -> 'c Bigarray.layout
Return the layout of the given big array.
val size_in_bytes : ('a, 'b, 'c) t -> int
size_in_bytes a is the number of elements in a multiplied by a's Bigarray.kind_size_in_bytes.
Since 4.03.0
val get : ('a, 'b, 'c) t -> int -> int -> int -> 'a
Array3.get a x y z, also written a.{x,y,z}, returns the element of a at coordinates (x, y, z). x, y and z must be within the bounds of a, as described for Bigarray.Genarray.get; otherwise, Invalid_argument is raised.
val set : ('a, 'b, 'c) t -> int -> int -> int -> 'a -> unit
Array3.set a x y v, or alternatively a.{x,y,z} <- v, stores the value v at coordinates (x, y, z) in a. x, y and z must be within the bounds of a, as described for Bigarray.Genarray.set; otherwise, Invalid_argument is raised.
val sub_left : ('a, 'b, Bigarray.c_layout) t ->
int -> int -> ('a, 'b, Bigarray.c_layout) t
Extract a three-dimensional sub-array of the given three-dimensional big array by restricting the first dimension. See Bigarray.Genarray.sub_left for more details. Array3.sub_left applies only to arrays with C layout.
val sub_right : ('a, 'b, Bigarray.fortran_layout) t ->
int -> int -> ('a, 'b, Bigarray.fortran_layout) t
Extract a three-dimensional sub-array of the given three-dimensional big array by restricting the second dimension. See Bigarray.Genarray.sub_right for more details. Array3.sub_right applies only to arrays with Fortran layout.
val slice_left_1 : ('a, 'b, Bigarray.c_layout) t ->
int -> int -> ('a, 'b, Bigarray.c_layout) Bigarray.Array1.t
Extract a one-dimensional slice of the given three-dimensional big array by fixing the first two coordinates. The integer parameters are the coordinates of the slice to extract. See Bigarray.Genarray.slice_left for more details. Array3.slice_left_1 applies only to arrays with C layout.
val slice_right_1 : ('a, 'b, Bigarray.fortran_layout) t ->
int -> int -> ('a, 'b, Bigarray.fortran_layout) Bigarray.Array1.t
Extract a one-dimensional slice of the given three-dimensional big array by fixing the last two coordinates. The integer parameters are the coordinates of the slice to extract. See Bigarray.Genarray.slice_right for more details. Array3.slice_right_1 applies only to arrays with Fortran layout.
val slice_left_2 : ('a, 'b, Bigarray.c_layout) t ->
int -> ('a, 'b, Bigarray.c_layout) Bigarray.Array2.t
Extract a two-dimensional slice of the given three-dimensional big array by fixing the first coordinate. The integer parameter is the first coordinate of the slice to extract. See Bigarray.Genarray.slice_left for more details. Array3.slice_left_2 applies only to arrays with C layout.
val slice_right_2 : ('a, 'b, Bigarray.fortran_layout) t ->
int -> ('a, 'b, Bigarray.fortran_layout) Bigarray.Array2.t
Extract a two-dimensional slice of the given three-dimensional big array by fixing the last coordinate. The integer parameter is the coordinate of the slice to extract. See Bigarray.Genarray.slice_right for more details. Array3.slice_right_2 applies only to arrays with Fortran layout.
val blit : ('a, 'b, 'c) t -> ('a, 'b, 'c) t -> unit
Copy the first big array to the second big array. See Bigarray.Genarray.blit for more details.
val fill : ('a, 'b, 'c) t -> 'a -> unit
Fill the given big array with the given value. See Bigarray.Genarray.fill for more details.
val of_array : ('a, 'b) Bigarray.kind ->
'c Bigarray.layout -> 'a array array array -> ('a, 'b, 'c) t
Build a three-dimensional big array initialized from the given array of arrays of arrays.
val map_file : Unix.file_descr ->
?pos:int64 ->
('a, 'b) Bigarray.kind ->
'c Bigarray.layout ->
bool -> int -> int -> int -> ('a, 'b, 'c) t
Memory mapping of a file as a three-dimensional big array. See Bigarray.Genarray.map_file for more details.
val unsafe_get : ('a, 'b, 'c) t -> int -> int -> int -> 'a
Like Bigarray.Array3.get, but bounds checking is not always performed.
val unsafe_set : ('a, 'b, 'c) t -> int -> int -> int -> 'a -> unit
Like Bigarray.Array3.set, but bounds checking is not always performed.
ocaml-doc-4.05/ocaml.html/libref/MoreLabels.Hashtbl.HashedType.html0000644000175000017500000002165113131636446024107 0ustar mehdimehdi MoreLabels.Hashtbl.HashedType

Module type MoreLabels.Hashtbl.HashedType

module type HashedType = Hashtbl.HashedType

type t 
The type of the hashtable keys.
val equal : t -> t -> bool
The equality predicate used to compare keys.
val hash : t -> int
A hashing function on keys. It must be such that if two keys are equal according to equal, then they have identical hash values as computed by hash. Examples: suitable (equal, hash) pairs for arbitrary key types include
ocaml-doc-4.05/ocaml.html/libref/type_UnixLabels.LargeFile.html0000644000175000017500000002154513131636451023377 0ustar mehdimehdi UnixLabels.LargeFile sig
  val lseek :
    UnixLabels.file_descr -> int64 -> mode:UnixLabels.seek_command -> int64
  val truncate : string -> len:int64 -> unit
  val ftruncate : UnixLabels.file_descr -> len:int64 -> unit
  type stats =
    Unix.LargeFile.stats = {
    st_dev : int;
    st_ino : int;
    st_kind : UnixLabels.file_kind;
    st_perm : UnixLabels.file_perm;
    st_nlink : int;
    st_uid : int;
    st_gid : int;
    st_rdev : int;
    st_size : int64;
    st_atime : float;
    st_mtime : float;
    st_ctime : float;
  }
  val stat : string -> UnixLabels.LargeFile.stats
  val lstat : string -> UnixLabels.LargeFile.stats
  val fstat : UnixLabels.file_descr -> UnixLabels.LargeFile.stats
end
ocaml-doc-4.05/ocaml.html/libref/type_Strongly_connected_components.S.Id.html0000644000175000017500000001471713131636451026347 0ustar mehdimehdi Strongly_connected_components.S.Id Identifiable.Socaml-doc-4.05/ocaml.html/libref/Int32.html0000644000175000017500000004547413131636445017350 0ustar mehdimehdi Int32

Module Int32

module Int32: sig .. end
32-bit integers.

This module provides operations on the type int32 of signed 32-bit integers. Unlike the built-in int type, the type int32 is guaranteed to be exactly 32-bit wide on all platforms. All arithmetic operations over int32 are taken modulo 232.

Performance notice: values of type int32 occupy more memory space than values of type int, and arithmetic operations on int32 are generally slower than those on int. Use int32 only when the application requires exact 32-bit arithmetic.


val zero : int32
The 32-bit integer 0.
val one : int32
The 32-bit integer 1.
val minus_one : int32
The 32-bit integer -1.
val neg : int32 -> int32
Unary negation.
val add : int32 -> int32 -> int32
Addition.
val sub : int32 -> int32 -> int32
Subtraction.
val mul : int32 -> int32 -> int32
Multiplication.
val div : int32 -> int32 -> int32
Integer division. Raise Division_by_zero if the second argument is zero. This division rounds the real quotient of its arguments towards zero, as specified for (/).
val rem : int32 -> int32 -> int32
Integer remainder. If y is not zero, the result of Int32.rem x y satisfies the following property: x = Int32.add (Int32.mul (Int32.div x y) y) (Int32.rem x y). If y = 0, Int32.rem x y raises Division_by_zero.
val succ : int32 -> int32
Successor. Int32.succ x is Int32.add x Int32.one.
val pred : int32 -> int32
Predecessor. Int32.pred x is Int32.sub x Int32.one.
val abs : int32 -> int32
Return the absolute value of its argument.
val max_int : int32
The greatest representable 32-bit integer, 231 - 1.
val min_int : int32
The smallest representable 32-bit integer, -231.
val logand : int32 -> int32 -> int32
Bitwise logical and.
val logor : int32 -> int32 -> int32
Bitwise logical or.
val logxor : int32 -> int32 -> int32
Bitwise logical exclusive or.
val lognot : int32 -> int32
Bitwise logical negation
val shift_left : int32 -> int -> int32
Int32.shift_left x y shifts x to the left by y bits. The result is unspecified if y < 0 or y >= 32.
val shift_right : int32 -> int -> int32
Int32.shift_right x y shifts x to the right by y bits. This is an arithmetic shift: the sign bit of x is replicated and inserted in the vacated bits. The result is unspecified if y < 0 or y >= 32.
val shift_right_logical : int32 -> int -> int32
Int32.shift_right_logical x y shifts x to the right by y bits. This is a logical shift: zeroes are inserted in the vacated bits regardless of the sign of x. The result is unspecified if y < 0 or y >= 32.
val of_int : int -> int32
Convert the given integer (type int) to a 32-bit integer (type int32).
val to_int : int32 -> int
Convert the given 32-bit integer (type int32) to an integer (type int). On 32-bit platforms, the 32-bit integer is taken modulo 231, i.e. the high-order bit is lost during the conversion. On 64-bit platforms, the conversion is exact.
val of_float : float -> int32
Convert the given floating-point number to a 32-bit integer, discarding the fractional part (truncate towards 0). The result of the conversion is undefined if, after truncation, the number is outside the range [Int32.min_int, Int32.max_int].
val to_float : int32 -> float
Convert the given 32-bit integer to a floating-point number.
val of_string : string -> int32
Convert the given string to a 32-bit integer. The string is read in decimal (by default) or in hexadecimal, octal or binary if the string begins with 0x, 0o or 0b respectively. Raise Failure "int_of_string" if the given string is not a valid representation of an integer, or if the integer represented exceeds the range of integers representable in type int32.
val of_string_opt : string -> int32 option
Same as of_string, but return None instead of raising.
Since 4.05
val to_string : int32 -> string
Return the string representation of its argument, in signed decimal.
val bits_of_float : float -> int32
Return the internal representation of the given float according to the IEEE 754 floating-point 'single format' bit layout. Bit 31 of the result represents the sign of the float; bits 30 to 23 represent the (biased) exponent; bits 22 to 0 represent the mantissa.
val float_of_bits : int32 -> float
Return the floating-point number whose internal representation, according to the IEEE 754 floating-point 'single format' bit layout, is the given int32.
type t = int32 
An alias for the type of 32-bit integers.
val compare : t -> t -> int
The comparison function for 32-bit integers, with the same specification as compare. Along with the type t, this function compare allows the module Int32 to be passed as argument to the functors Set.Make and Map.Make.
val equal : t -> t -> bool
The equal function for int32s.
Since 4.03.0
ocaml-doc-4.05/ocaml.html/libref/Callback.html0000644000175000017500000002074213131636442020131 0ustar mehdimehdi Callback

Module Callback

module Callback: sig .. end
Registering OCaml values with the C runtime.

This module allows OCaml values to be registered with the C runtime under a symbolic name, so that C code can later call back registered OCaml functions, or raise registered OCaml exceptions.


val register : string -> 'a -> unit
Callback.register n v registers the value v under the name n. C code can later retrieve a handle to v by calling caml_named_value(n).
val register_exception : string -> exn -> unit
Callback.register_exception n exn registers the exception contained in the exception value exn under the name n. C code can later retrieve a handle to the exception by calling caml_named_value(n). The exception value thus obtained is suitable for passing as first argument to raise_constant or raise_with_arg.
ocaml-doc-4.05/ocaml.html/libref/type_Lazy.html0000644000175000017500000002125113131636445020414 0ustar mehdimehdi Lazy sig
  type 'a t = 'a lazy_t
  exception Undefined
  external force : 'Lazy.t -> 'a = "%lazy_force"
  val force_val : 'Lazy.t -> 'a
  val from_fun : (unit -> 'a) -> 'Lazy.t
  val from_val : '-> 'Lazy.t
  val is_val : 'Lazy.t -> bool
  val lazy_from_fun : (unit -> 'a) -> 'Lazy.t
  val lazy_from_val : '-> 'Lazy.t
  val lazy_is_val : 'Lazy.t -> bool
end
ocaml-doc-4.05/ocaml.html/libref/type_Ast_mapper.html0000644000175000017500000006170213131636441021571 0ustar mehdimehdi Ast_mapper sig
  type mapper = {
    attribute :
      Ast_mapper.mapper -> Parsetree.attribute -> Parsetree.attribute;
    attributes :
      Ast_mapper.mapper ->
      Parsetree.attribute list -> Parsetree.attribute list;
    case : Ast_mapper.mapper -> Parsetree.case -> Parsetree.case;
    cases : Ast_mapper.mapper -> Parsetree.case list -> Parsetree.case list;
    class_declaration :
      Ast_mapper.mapper ->
      Parsetree.class_declaration -> Parsetree.class_declaration;
    class_description :
      Ast_mapper.mapper ->
      Parsetree.class_description -> Parsetree.class_description;
    class_expr :
      Ast_mapper.mapper -> Parsetree.class_expr -> Parsetree.class_expr;
    class_field :
      Ast_mapper.mapper -> Parsetree.class_field -> Parsetree.class_field;
    class_signature :
      Ast_mapper.mapper ->
      Parsetree.class_signature -> Parsetree.class_signature;
    class_structure :
      Ast_mapper.mapper ->
      Parsetree.class_structure -> Parsetree.class_structure;
    class_type :
      Ast_mapper.mapper -> Parsetree.class_type -> Parsetree.class_type;
    class_type_declaration :
      Ast_mapper.mapper ->
      Parsetree.class_type_declaration -> Parsetree.class_type_declaration;
    class_type_field :
      Ast_mapper.mapper ->
      Parsetree.class_type_field -> Parsetree.class_type_field;
    constructor_declaration :
      Ast_mapper.mapper ->
      Parsetree.constructor_declaration -> Parsetree.constructor_declaration;
    expr : Ast_mapper.mapper -> Parsetree.expression -> Parsetree.expression;
    extension :
      Ast_mapper.mapper -> Parsetree.extension -> Parsetree.extension;
    extension_constructor :
      Ast_mapper.mapper ->
      Parsetree.extension_constructor -> Parsetree.extension_constructor;
    include_declaration :
      Ast_mapper.mapper ->
      Parsetree.include_declaration -> Parsetree.include_declaration;
    include_description :
      Ast_mapper.mapper ->
      Parsetree.include_description -> Parsetree.include_description;
    label_declaration :
      Ast_mapper.mapper ->
      Parsetree.label_declaration -> Parsetree.label_declaration;
    location : Ast_mapper.mapper -> Location.t -> Location.t;
    module_binding :
      Ast_mapper.mapper ->
      Parsetree.module_binding -> Parsetree.module_binding;
    module_declaration :
      Ast_mapper.mapper ->
      Parsetree.module_declaration -> Parsetree.module_declaration;
    module_expr :
      Ast_mapper.mapper -> Parsetree.module_expr -> Parsetree.module_expr;
    module_type :
      Ast_mapper.mapper -> Parsetree.module_type -> Parsetree.module_type;
    module_type_declaration :
      Ast_mapper.mapper ->
      Parsetree.module_type_declaration -> Parsetree.module_type_declaration;
    open_description :
      Ast_mapper.mapper ->
      Parsetree.open_description -> Parsetree.open_description;
    pat : Ast_mapper.mapper -> Parsetree.pattern -> Parsetree.pattern;
    payload : Ast_mapper.mapper -> Parsetree.payload -> Parsetree.payload;
    signature :
      Ast_mapper.mapper -> Parsetree.signature -> Parsetree.signature;
    signature_item :
      Ast_mapper.mapper ->
      Parsetree.signature_item -> Parsetree.signature_item;
    structure :
      Ast_mapper.mapper -> Parsetree.structure -> Parsetree.structure;
    structure_item :
      Ast_mapper.mapper ->
      Parsetree.structure_item -> Parsetree.structure_item;
    typ : Ast_mapper.mapper -> Parsetree.core_type -> Parsetree.core_type;
    type_declaration :
      Ast_mapper.mapper ->
      Parsetree.type_declaration -> Parsetree.type_declaration;
    type_extension :
      Ast_mapper.mapper ->
      Parsetree.type_extension -> Parsetree.type_extension;
    type_kind :
      Ast_mapper.mapper -> Parsetree.type_kind -> Parsetree.type_kind;
    value_binding :
      Ast_mapper.mapper -> Parsetree.value_binding -> Parsetree.value_binding;
    value_description :
      Ast_mapper.mapper ->
      Parsetree.value_description -> Parsetree.value_description;
    with_constraint :
      Ast_mapper.mapper ->
      Parsetree.with_constraint -> Parsetree.with_constraint;
  }
  val default_mapper : Ast_mapper.mapper
  val tool_name : unit -> string
  val apply : source:string -> target:string -> Ast_mapper.mapper -> unit
  val run_main : (string list -> Ast_mapper.mapper) -> unit
  val register_function :
    (string -> (string list -> Ast_mapper.mapper) -> unit) Pervasives.ref
  val register : string -> (string list -> Ast_mapper.mapper) -> unit
  val map_opt : ('-> 'b) -> 'a option -> 'b option
  val extension_of_error : Location.error -> Parsetree.extension
  val attribute_of_warning : Location.t -> string -> Parsetree.attribute
  val add_ppx_context_str :
    tool_name:string -> Parsetree.structure -> Parsetree.structure
  val add_ppx_context_sig :
    tool_name:string -> Parsetree.signature -> Parsetree.signature
  val drop_ppx_context_str :
    restore:bool -> Parsetree.structure -> Parsetree.structure
  val drop_ppx_context_sig :
    restore:bool -> Parsetree.signature -> Parsetree.signature
  val set_cookie : string -> Parsetree.expression -> unit
  val get_cookie : string -> Parsetree.expression option
end
ocaml-doc-4.05/ocaml.html/libref/Ast_helper.Cf.html0000644000175000017500000002735313131636441021056 0ustar mehdimehdi Ast_helper.Cf

Module Ast_helper.Cf

module Cf: sig .. end
Class fields

val mk : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
?docs:Docstrings.docs -> Parsetree.class_field_desc -> Parsetree.class_field
val attr : Parsetree.class_field -> Parsetree.attribute -> Parsetree.class_field
val inherit_ : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Asttypes.override_flag ->
Parsetree.class_expr -> Ast_helper.str option -> Parsetree.class_field
val val_ : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Ast_helper.str ->
Asttypes.mutable_flag -> Parsetree.class_field_kind -> Parsetree.class_field
val method_ : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Ast_helper.str ->
Asttypes.private_flag -> Parsetree.class_field_kind -> Parsetree.class_field
val constraint_ : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Parsetree.core_type -> Parsetree.core_type -> Parsetree.class_field
val initializer_ : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs -> Parsetree.expression -> Parsetree.class_field
val extension : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs -> Parsetree.extension -> Parsetree.class_field
val attribute : ?loc:Ast_helper.loc -> Parsetree.attribute -> Parsetree.class_field
val text : Docstrings.text -> Parsetree.class_field list
val virtual_ : Parsetree.core_type -> Parsetree.class_field_kind
val concrete : Asttypes.override_flag -> Parsetree.expression -> Parsetree.class_field_kind
ocaml-doc-4.05/ocaml.html/libref/Clflags.Int_arg_helper.html0000644000175000017500000002101113131636443022720 0ustar mehdimehdi Clflags.Int_arg_helper

Module Clflags.Int_arg_helper

module Int_arg_helper: sig .. end

type parsed 
val parse : string -> string -> parsed ref -> unit
type parse_result = 
| Ok
| Parse_failed of exn
val parse_no_error : string ->
parsed ref ->
parse_result
val get : key:int -> parsed -> int
ocaml-doc-4.05/ocaml.html/libref/type_Set.S.html0000644000175000017500000004576413131636450020444 0ustar mehdimehdi Set.S sig
  type elt
  type t
  val empty : Set.S.t
  val is_empty : Set.S.t -> bool
  val mem : Set.S.elt -> Set.S.t -> bool
  val add : Set.S.elt -> Set.S.t -> Set.S.t
  val singleton : Set.S.elt -> Set.S.t
  val remove : Set.S.elt -> Set.S.t -> Set.S.t
  val union : Set.S.t -> Set.S.t -> Set.S.t
  val inter : Set.S.t -> Set.S.t -> Set.S.t
  val diff : Set.S.t -> Set.S.t -> Set.S.t
  val compare : Set.S.t -> Set.S.t -> int
  val equal : Set.S.t -> Set.S.t -> bool
  val subset : Set.S.t -> Set.S.t -> bool
  val iter : (Set.S.elt -> unit) -> Set.S.t -> unit
  val map : (Set.S.elt -> Set.S.elt) -> Set.S.t -> Set.S.t
  val fold : (Set.S.elt -> '-> 'a) -> Set.S.t -> '-> 'a
  val for_all : (Set.S.elt -> bool) -> Set.S.t -> bool
  val exists : (Set.S.elt -> bool) -> Set.S.t -> bool
  val filter : (Set.S.elt -> bool) -> Set.S.t -> Set.S.t
  val partition : (Set.S.elt -> bool) -> Set.S.t -> Set.S.t * Set.S.t
  val cardinal : Set.S.t -> int
  val elements : Set.S.t -> Set.S.elt list
  val min_elt : Set.S.t -> Set.S.elt
  val min_elt_opt : Set.S.t -> Set.S.elt option
  val max_elt : Set.S.t -> Set.S.elt
  val max_elt_opt : Set.S.t -> Set.S.elt option
  val choose : Set.S.t -> Set.S.elt
  val choose_opt : Set.S.t -> Set.S.elt option
  val split : Set.S.elt -> Set.S.t -> Set.S.t * bool * Set.S.t
  val find : Set.S.elt -> Set.S.t -> Set.S.elt
  val find_opt : Set.S.elt -> Set.S.t -> Set.S.elt option
  val find_first : (Set.S.elt -> bool) -> Set.S.t -> Set.S.elt
  val find_first_opt : (Set.S.elt -> bool) -> Set.S.t -> Set.S.elt option
  val find_last : (Set.S.elt -> bool) -> Set.S.t -> Set.S.elt
  val find_last_opt : (Set.S.elt -> bool) -> Set.S.t -> Set.S.elt option
  val of_list : Set.S.elt list -> Set.S.t
end
ocaml-doc-4.05/ocaml.html/libref/Docstrings.html0000644000175000017500000004723713131636443020565 0ustar mehdimehdi Docstrings

Module Docstrings

module Docstrings: sig .. end
Documentation comments

val init : unit -> unit
(Re)Initialise all docstring state
val warn_bad_docstrings : unit -> unit
Emit warnings for unattached and ambiguous docstrings

Docstrings


type docstring 
Documentation comments
val docstring : string -> Location.t -> docstring
Create a docstring
val register : docstring -> unit
Register a docstring
val docstring_body : docstring -> string
Get the text of a docstring
val docstring_loc : docstring -> Location.t
Get the location of a docstring

Set functions

These functions are used by the lexer to associate docstrings to the locations of tokens.

val set_pre_docstrings : Lexing.position -> docstring list -> unit
Docstrings immediately preceding a token
val set_post_docstrings : Lexing.position -> docstring list -> unit
Docstrings immediately following a token
val set_floating_docstrings : Lexing.position -> docstring list -> unit
Docstrings not immediately adjacent to a token
val set_pre_extra_docstrings : Lexing.position -> docstring list -> unit
Docstrings immediately following the token which precedes this one
val set_post_extra_docstrings : Lexing.position -> docstring list -> unit
Docstrings immediately preceding the token which follows this one

Items

The Docstrings.docs type represents documentation attached to an item.

type docs = {
   docs_pre : docstring option;
   docs_post : docstring option;
}
val empty_docs : docs
val docs_attr : docstring -> Parsetree.attribute
val add_docs_attrs : docs -> Parsetree.attributes -> Parsetree.attributes
Convert item documentation to attributes and add them to an attribute list
val symbol_docs : unit -> docs
Fetch the item documentation for the current symbol. This also marks this documentation (for ambiguity warnings).
val symbol_docs_lazy : unit -> docs Lazy.t
val rhs_docs : int -> int -> docs
Fetch the item documentation for the symbols between two positions. This also marks this documentation (for ambiguity warnings).
val rhs_docs_lazy : int -> int -> docs Lazy.t
val mark_symbol_docs : unit -> unit
Mark the item documentation for the current symbol (for ambiguity warnings).
val mark_rhs_docs : int -> int -> unit
Mark as associated the item documentation for the symbols between two positions (for ambiguity warnings)

Fields and constructors

The Docstrings.info type represents documentation attached to a field or constructor.

type info = docstring option 
val empty_info : info
val info_attr : docstring -> Parsetree.attribute
val add_info_attrs : info -> Parsetree.attributes -> Parsetree.attributes
Convert field info to attributes and add them to an attribute list
val symbol_info : unit -> info
Fetch the field info for the current symbol.
val rhs_info : int -> info
Fetch the field info following the symbol at a given position.

Unattached comments

The Docstrings.text type represents documentation which is not attached to anything.

type text = docstring list 
val empty_text : text
val empty_text_lazy : text Lazy.t
val text_attr : docstring -> Parsetree.attribute
val add_text_attrs : text -> Parsetree.attributes -> Parsetree.attributes
Convert text to attributes and add them to an attribute list
val symbol_text : unit -> text
Fetch the text preceding the current symbol.
val symbol_text_lazy : unit -> text Lazy.t
val rhs_text : int -> text
Fetch the text preceding the symbol at the given position.
val rhs_text_lazy : int -> text Lazy.t

Extra text

There may be additional text attached to the delimiters of a block (e.g. struct and end). This is fetched by the following functions, which are applied to the contents of the block rather than the delimiters.

val symbol_pre_extra_text : unit -> text
Fetch additional text preceding the current symbol
val symbol_post_extra_text : unit -> text
Fetch additional text following the current symbol
val rhs_pre_extra_text : int -> text
Fetch additional text preceding the symbol at the given position
val rhs_post_extra_text : int -> text
Fetch additional text following the symbol at the given position
ocaml-doc-4.05/ocaml.html/libref/Misc.StringSet.html0000644000175000017500000006275013131636446021262 0ustar mehdimehdi Misc.StringSet

Module Misc.StringSet

module StringSet: Set.S  with type elt = string

type elt 
The type of the set elements.
type t 
The type of sets.
val empty : t
The empty set.
val is_empty : t -> bool
Test whether a set is empty or not.
val mem : elt -> t -> bool
mem x s tests whether x belongs to the set s.
val add : elt -> t -> t
add x s returns a set containing all elements of s, plus x. If x was already in s, s is returned unchanged (the result of the function is then physically equal to s).
Before 4.03 Physical equality was not ensured.
val singleton : elt -> t
singleton x returns the one-element set containing only x.
val remove : elt -> t -> t
remove x s returns a set containing all elements of s, except x. If x was not in s, s is returned unchanged (the result of the function is then physically equal to s).
Before 4.03 Physical equality was not ensured.
val union : t -> t -> t
Set union.
val inter : t -> t -> t
Set intersection.
val diff : t -> t -> t
Set difference.
val compare : t -> t -> int
Total ordering between sets. Can be used as the ordering function for doing sets of sets.
val equal : t -> t -> bool
equal s1 s2 tests whether the sets s1 and s2 are equal, that is, contain equal elements.
val subset : t -> t -> bool
subset s1 s2 tests whether the set s1 is a subset of the set s2.
val iter : (elt -> unit) -> t -> unit
iter f s applies f in turn to all elements of s. The elements of s are presented to f in increasing order with respect to the ordering over the type of the elements.
val map : (elt -> elt) -> t -> t
map f s is the set whose elements are f a0,f a1... f
        aN
, where a0,a1...aN are the elements of s.

The elements are passed to f in increasing order with respect to the ordering over the type of the elements.

If no element of s is changed by f, s is returned unchanged. (If each output of f is physically equal to its input, the returned set is physically equal to s.)
Since 4.04.0

val fold : (elt -> 'a -> 'a) -> t -> 'a -> 'a
fold f s a computes (f xN ... (f x2 (f x1 a))...), where x1 ... xN are the elements of s, in increasing order.
val for_all : (elt -> bool) -> t -> bool
for_all p s checks if all elements of the set satisfy the predicate p.
val exists : (elt -> bool) -> t -> bool
exists p s checks if at least one element of the set satisfies the predicate p.
val filter : (elt -> bool) -> t -> t
filter p s returns the set of all elements in s that satisfy predicate p. If p satisfies every element in s, s is returned unchanged (the result of the function is then physically equal to s).
Before 4.03 Physical equality was not ensured.
val partition : (elt -> bool) -> t -> t * t
partition p s returns a pair of sets (s1, s2), where s1 is the set of all the elements of s that satisfy the predicate p, and s2 is the set of all the elements of s that do not satisfy p.
val cardinal : t -> int
Return the number of elements of a set.
val elements : t -> elt list
Return the list of all elements of the given set. The returned list is sorted in increasing order with respect to the ordering Ord.compare, where Ord is the argument given to Set.Make.
val min_elt : t -> elt
Return the smallest element of the given set (with respect to the Ord.compare ordering), or raise Not_found if the set is empty.
val min_elt_opt : t -> elt option
Return the smallest element of the given set (with respect to the Ord.compare ordering), or None if the set is empty.
Since 4.05
val max_elt : t -> elt
Same as Set.S.min_elt, but returns the largest element of the given set.
val max_elt_opt : t -> elt option
Same as Set.S.min_elt_opt, but returns the largest element of the given set.
Since 4.05
val choose : t -> elt
Return one element of the given set, or raise Not_found if the set is empty. Which element is chosen is unspecified, but equal elements will be chosen for equal sets.
val choose_opt : t -> elt option
Return one element of the given set, or None if the set is empty. Which element is chosen is unspecified, but equal elements will be chosen for equal sets.
Since 4.05
val split : elt -> t -> t * bool * t
split x s returns a triple (l, present, r), where l is the set of elements of s that are strictly less than x; r is the set of elements of s that are strictly greater than x; present is false if s contains no element equal to x, or true if s contains an element equal to x.
val find : elt -> t -> elt
find x s returns the element of s equal to x (according to Ord.compare), or raise Not_found if no such element exists.
Since 4.01.0
val find_opt : elt -> t -> elt option
find_opt x s returns the element of s equal to x (according to Ord.compare), or None if no such element exists.
Since 4.05
val find_first : (elt -> bool) -> t -> elt
find_first f s, where f is a monotonically increasing function, returns the lowest element e of s such that f e, or raises Not_found if no such element exists.

For example, find_first (fun e -> Ord.compare e x >= 0) s will return the first element e of s where Ord.compare e x >= 0 (intuitively: e >= x), or raise Not_found if x is greater than any element of s.
Since 4.05

val find_first_opt : (elt -> bool) -> t -> elt option
find_first_opt f s, where f is a monotonically increasing function, returns an option containing the lowest element e of s such that f e, or None if no such element exists.
Since 4.05
val find_last : (elt -> bool) -> t -> elt
find_last f s, where f is a monotonically decreasing function, returns the highest element e of s such that f e, or raises Not_found if no such element exists.
Since 4.05
val find_last_opt : (elt -> bool) -> t -> elt option
find_last_opt f s, where f is a monotonically decreasing function, returns an option containing the highest element e of s such that f e, or None if no such element exists.
Since 4.05
val of_list : elt list -> t
of_list l creates a set from a list of elements. This is usually more efficient than folding add over the list, except perhaps for lists with many duplicated elements.
Since 4.02.0
ocaml-doc-4.05/ocaml.html/libref/String.html0000644000175000017500000010301613131636451017677 0ustar mehdimehdi String

Module String

module String: sig .. end
String operations.

A string is an immutable data structure that contains a fixed-length sequence of (single-byte) characters. Each character can be accessed in constant time through its index.

Given a string s of length l, we can access each of the l characters of s via its index in the sequence. Indexes start at 0, and we will call an index valid in s if it falls within the range [0...l-1] (inclusive). A position is the point between two characters or at the beginning or end of the string. We call a position valid in s if it falls within the range [0...l] (inclusive). Note that the character at index n is between positions n and n+1.

Two parameters start and len are said to designate a valid substring of s if len >= 0 and start and start+len are valid positions in s.

OCaml strings used to be modifiable in place, for instance via the String.set and String.blit functions described below. This usage is deprecated and only possible when the compiler is put in "unsafe-string" mode by giving the -unsafe-string command-line option (which is currently the default for reasons of backward compatibility). This is done by making the types string and bytes (see module Bytes) interchangeable so that functions expecting byte sequences can also accept strings as arguments and modify them.

All new code should avoid this feature and be compiled with the -safe-string command-line option to enforce the separation between the types string and bytes.


val length : string -> int
Return the length (number of characters) of the given string.
val get : string -> int -> char
String.get s n returns the character at index n in string s. You can also write s.[n] instead of String.get s n.

Raise Invalid_argument if n not a valid index in s.

val set : bytes -> int -> char -> unit
Deprecated.This is a deprecated alias of Bytes.set. 
String.set s n c modifies byte sequence s in place, replacing the byte at index n with c. You can also write s.[n] <- c instead of String.set s n c.

Raise Invalid_argument if n is not a valid index in s.

val create : int -> bytes
Deprecated.This is a deprecated alias of Bytes.create. 
String.create n returns a fresh byte sequence of length n. The sequence is uninitialized and contains arbitrary bytes.

Raise Invalid_argument if n < 0 or n > Sys.max_string_length.

val make : int -> char -> string
String.make n c returns a fresh string of length n, filled with the character c.

Raise Invalid_argument if n < 0 or n > Sys.max_string_length.

val init : int -> (int -> char) -> string
String.init n f returns a string of length n, with character i initialized to the result of f i (called in increasing index order).

Raise Invalid_argument if n < 0 or n > Sys.max_string_length.
Since 4.02.0

val copy : string -> string
Deprecated.Because strings are immutable, it doesn't make much sense to make identical copies of them.
Return a copy of the given string.
val sub : string -> int -> int -> string
String.sub s start len returns a fresh string of length len, containing the substring of s that starts at position start and has length len.

Raise Invalid_argument if start and len do not designate a valid substring of s.

val fill : bytes -> int -> int -> char -> unit
Deprecated.This is a deprecated alias of Bytes.fill. 
String.fill s start len c modifies byte sequence s in place, replacing len bytes with c, starting at start.

Raise Invalid_argument if start and len do not designate a valid range of s.

val blit : string -> int -> bytes -> int -> int -> unit
Same as Bytes.blit_string.
val concat : string -> string list -> string
String.concat sep sl concatenates the list of strings sl, inserting the separator string sep between each.

Raise Invalid_argument if the result is longer than Sys.max_string_length bytes.

val iter : (char -> unit) -> string -> unit
String.iter f s applies function f in turn to all the characters of s. It is equivalent to f s.[0]; f s.[1]; ...; f s.[String.length s - 1]; ().
val iteri : (int -> char -> unit) -> string -> unit
Same as String.iter, but the function is applied to the index of the element as first argument (counting from 0), and the character itself as second argument.
Since 4.00.0
val map : (char -> char) -> string -> string
String.map f s applies function f in turn to all the characters of s (in increasing index order) and stores the results in a new string that is returned.
Since 4.00.0
val mapi : (int -> char -> char) -> string -> string
String.mapi f s calls f with each character of s and its index (in increasing index order) and stores the results in a new string that is returned.
Since 4.02.0
val trim : string -> string
Return a copy of the argument, without leading and trailing whitespace. The characters regarded as whitespace are: ' ', '\012', '\n', '\r', and '\t'. If there is neither leading nor trailing whitespace character in the argument, return the original string itself, not a copy.
Since 4.00.0
val escaped : string -> string
Return a copy of the argument, with special characters represented by escape sequences, following the lexical conventions of OCaml. All characters outside the ASCII printable range (32..126) are escaped, as well as backslash and double-quote.

If there is no special character in the argument that needs escaping, return the original string itself, not a copy.

Raise Invalid_argument if the result is longer than Sys.max_string_length bytes.

The function Scanf.unescaped is a left inverse of escaped, i.e. Scanf.unescaped (escaped s) = s for any string s (unless escape s fails).

val index : string -> char -> int
String.index s c returns the index of the first occurrence of character c in string s.

Raise Not_found if c does not occur in s.

val index_opt : string -> char -> int option
String.index_opt s c returns the index of the first occurrence of character c in string s, or None if c does not occur in s.
Since 4.05
val rindex : string -> char -> int
String.rindex s c returns the index of the last occurrence of character c in string s.

Raise Not_found if c does not occur in s.

val rindex_opt : string -> char -> int option
String.rindex_opt s c returns the index of the last occurrence of character c in string s, or None if c does not occur in s.
Since 4.05
val index_from : string -> int -> char -> int
String.index_from s i c returns the index of the first occurrence of character c in string s after position i. String.index s c is equivalent to String.index_from s 0 c.

Raise Invalid_argument if i is not a valid position in s. Raise Not_found if c does not occur in s after position i.

val index_from_opt : string -> int -> char -> int option
String.index_from_opt s i c returns the index of the first occurrence of character c in string s after position i or None if c does not occur in s after position i.

String.index_opt s c is equivalent to String.index_from_opt s 0 c. Raise Invalid_argument if i is not a valid position in s.
Since 4.05

val rindex_from : string -> int -> char -> int
String.rindex_from s i c returns the index of the last occurrence of character c in string s before position i+1. String.rindex s c is equivalent to String.rindex_from s (String.length s - 1) c.

Raise Invalid_argument if i+1 is not a valid position in s. Raise Not_found if c does not occur in s before position i+1.

val rindex_from_opt : string -> int -> char -> int option
String.rindex_from_opt s i c returns the index of the last occurrence of character c in string s before position i+1 or None if c does not occur in s before position i+1.

String.rindex_opt s c is equivalent to String.rindex_from_opt s (String.length s - 1) c.

Raise Invalid_argument if i+1 is not a valid position in s.
Since 4.05

val contains : string -> char -> bool
String.contains s c tests if character c appears in the string s.
val contains_from : string -> int -> char -> bool
String.contains_from s start c tests if character c appears in s after position start. String.contains s c is equivalent to String.contains_from s 0 c.

Raise Invalid_argument if start is not a valid position in s.

val rcontains_from : string -> int -> char -> bool
String.rcontains_from s stop c tests if character c appears in s before position stop+1.

Raise Invalid_argument if stop < 0 or stop+1 is not a valid position in s.

val uppercase : string -> string
Deprecated.Functions operating on Latin-1 character set are deprecated.
Return a copy of the argument, with all lowercase letters translated to uppercase, including accented letters of the ISO Latin-1 (8859-1) character set.
val lowercase : string -> string
Deprecated.Functions operating on Latin-1 character set are deprecated.
Return a copy of the argument, with all uppercase letters translated to lowercase, including accented letters of the ISO Latin-1 (8859-1) character set.
val capitalize : string -> string
Deprecated.Functions operating on Latin-1 character set are deprecated.
Return a copy of the argument, with the first character set to uppercase, using the ISO Latin-1 (8859-1) character set..
val uncapitalize : string -> string
Deprecated.Functions operating on Latin-1 character set are deprecated.
Return a copy of the argument, with the first character set to lowercase, using the ISO Latin-1 (8859-1) character set..
val uppercase_ascii : string -> string
Return a copy of the argument, with all lowercase letters translated to uppercase, using the US-ASCII character set.
Since 4.03.0
val lowercase_ascii : string -> string
Return a copy of the argument, with all uppercase letters translated to lowercase, using the US-ASCII character set.
Since 4.03.0
val capitalize_ascii : string -> string
Return a copy of the argument, with the first character set to uppercase, using the US-ASCII character set.
Since 4.03.0
val uncapitalize_ascii : string -> string
Return a copy of the argument, with the first character set to lowercase, using the US-ASCII character set.
Since 4.03.0
type t = string 
An alias for the type of strings.
val compare : t -> t -> int
The comparison function for strings, with the same specification as compare. Along with the type t, this function compare allows the module String to be passed as argument to the functors Set.Make and Map.Make.
val equal : t -> t -> bool
The equal function for strings.
Since 4.03.0
val split_on_char : char -> string -> string list
String.split_on_char sep s returns the list of all (possibly empty) substrings of s that are delimited by the sep character.

The function's output is specified by the following invariants:


Since 4.04.0
ocaml-doc-4.05/ocaml.html/libref/type_Ast_helper.Mtd.html0000644000175000017500000001646013131636441022310 0ustar mehdimehdi Ast_helper.Mtd sig
  val mk :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    ?docs:Docstrings.docs ->
    ?text:Docstrings.text ->
    ?typ:Parsetree.module_type ->
    Ast_helper.str -> Parsetree.module_type_declaration
end
ocaml-doc-4.05/ocaml.html/libref/type_Bigarray.Array1.html0000644000175000017500000003652213131636442022377 0ustar mehdimehdi Bigarray.Array1 sig
  type ('a, 'b, 'c) t
  val create :
    ('a, 'b) Bigarray.kind ->
    'Bigarray.layout -> int -> ('a, 'b, 'c) Bigarray.Array1.t
  external dim : ('a, 'b, 'c) Bigarray.Array1.t -> int = "%caml_ba_dim_1"
  external kind : ('a, 'b, 'c) Bigarray.Array1.t -> ('a, 'b) Bigarray.kind
    = "caml_ba_kind"
  external layout : ('a, 'b, 'c) Bigarray.Array1.t -> 'Bigarray.layout
    = "caml_ba_layout"
  val size_in_bytes : ('a, 'b, 'c) Bigarray.Array1.t -> int
  external get : ('a, 'b, 'c) Bigarray.Array1.t -> int -> 'a
    = "%caml_ba_ref_1"
  external set : ('a, 'b, 'c) Bigarray.Array1.t -> int -> '-> unit
    = "%caml_ba_set_1"
  external sub :
    ('a, 'b, 'c) Bigarray.Array1.t ->
    int -> int -> ('a, 'b, 'c) Bigarray.Array1.t = "caml_ba_sub"
  val slice :
    ('a, 'b, 'c) Bigarray.Array1.t -> int -> ('a, 'b, 'c) Bigarray.Array0.t
  external blit :
    ('a, 'b, 'c) Bigarray.Array1.t -> ('a, 'b, 'c) Bigarray.Array1.t -> unit
    = "caml_ba_blit"
  external fill : ('a, 'b, 'c) Bigarray.Array1.t -> '-> unit
    = "caml_ba_fill"
  val of_array :
    ('a, 'b) Bigarray.kind ->
    'Bigarray.layout -> 'a array -> ('a, 'b, 'c) Bigarray.Array1.t
  val map_file :
    Unix.file_descr ->
    ?pos:int64 ->
    ('a, 'b) Bigarray.kind ->
    'Bigarray.layout -> bool -> int -> ('a, 'b, 'c) Bigarray.Array1.t
  external unsafe_get : ('a, 'b, 'c) Bigarray.Array1.t -> int -> 'a
    = "%caml_ba_unsafe_ref_1"
  external unsafe_set : ('a, 'b, 'c) Bigarray.Array1.t -> int -> '-> unit
    = "%caml_ba_unsafe_set_1"
end
ocaml-doc-4.05/ocaml.html/libref/type_CamlinternalFormatBasics.html0000644000175000017500000043203313131636443024406 0ustar mehdimehdi CamlinternalFormatBasics sig
  type padty = Left | Right | Zeros
  type int_conv =
      Int_d
    | Int_pd
    | Int_sd
    | Int_i
    | Int_pi
    | Int_si
    | Int_x
    | Int_Cx
    | Int_X
    | Int_CX
    | Int_o
    | Int_Co
    | Int_u
  type float_conv =
      Float_f
    | Float_pf
    | Float_sf
    | Float_e
    | Float_pe
    | Float_se
    | Float_E
    | Float_pE
    | Float_sE
    | Float_g
    | Float_pg
    | Float_sg
    | Float_G
    | Float_pG
    | Float_sG
    | Float_F
    | Float_h
    | Float_ph
    | Float_sh
    | Float_H
    | Float_pH
    | Float_sH
  type char_set = string
  type counter = Line_counter | Char_counter | Token_counter
  type ('a, 'b) padding =
      No_padding : ('a, 'a) CamlinternalFormatBasics.padding
    | Lit_padding : CamlinternalFormatBasics.padty *
        int -> ('a, 'a) CamlinternalFormatBasics.padding
    | Arg_padding :
        CamlinternalFormatBasics.padty -> (int -> 'a, 'a)
                                          CamlinternalFormatBasics.padding
  type pad_option = int option
  type ('a, 'b) precision =
      No_precision : ('a, 'a) CamlinternalFormatBasics.precision
    | Lit_precision : int -> ('a, 'a) CamlinternalFormatBasics.precision
    | Arg_precision : (int -> 'a, 'a) CamlinternalFormatBasics.precision
  type prec_option = int option
  type ('a, 'b, 'c) custom_arity =
      Custom_zero : ('a, string, 'a) CamlinternalFormatBasics.custom_arity
    | Custom_succ :
        ('a, 'b, 'c) CamlinternalFormatBasics.custom_arity -> ('a, '-> 'b,
                                                               '-> 'c)
                                                              CamlinternalFormatBasics.custom_arity
  type block_type =
      Pp_hbox
    | Pp_vbox
    | Pp_hvbox
    | Pp_hovbox
    | Pp_box
    | Pp_fits
  type formatting_lit =
      Close_box
    | Close_tag
    | Break of string * int * int
    | FFlush
    | Force_newline
    | Flush_newline
    | Magic_size of string * int
    | Escaped_at
    | Escaped_percent
    | Scan_indic of char
  type ('a, 'b, 'c, 'd, 'e, 'f) formatting_gen =
      Open_tag :
        ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.format6 -> 
        ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.formatting_gen
    | Open_box :
        ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.format6 -> 
        ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.formatting_gen
  and ('a, 'b, 'c, 'd, 'e, 'f) fmtty =
      ('a, 'b, 'c, 'd, 'e, 'f, 'a, 'b, 'c, 'd, 'e, 'f)
      CamlinternalFormatBasics.fmtty_rel
  and ('a1, 'b1, 'c1, 'd1, 'e1, 'f1, 'a2, 'b2, 'c2, 'd2, 'e2, 'f2) fmtty_rel =
      Char_ty :
        ('a1, 'b1, 'c1, 'd1, 'e1, 'f1, 'a2, 'b2, 'c2, 'd2, 'e2, 'f2)
        CamlinternalFormatBasics.fmtty_rel -> (char -> 'a1, 'b1, 'c1, 'd1,
                                               'e1, 'f1, char -> 'a2, 'b2,
                                               'c2, 'd2, 'e2, 'f2)
                                              CamlinternalFormatBasics.fmtty_rel
    | String_ty :
        ('a1, 'b1, 'c1, 'd1, 'e1, 'f1, 'a2, 'b2, 'c2, 'd2, 'e2, 'f2)
        CamlinternalFormatBasics.fmtty_rel -> (string -> 'a1, 'b1, 'c1, 'd1,
                                               'e1, 'f1, string -> 'a2, 'b2,
                                               'c2, 'd2, 'e2, 'f2)
                                              CamlinternalFormatBasics.fmtty_rel
    | Int_ty :
        ('a1, 'b1, 'c1, 'd1, 'e1, 'f1, 'a2, 'b2, 'c2, 'd2, 'e2, 'f2)
        CamlinternalFormatBasics.fmtty_rel -> (int -> 'a1, 'b1, 'c1, 'd1,
                                               'e1, 'f1, int -> 'a2, 'b2,
                                               'c2, 'd2, 'e2, 'f2)
                                              CamlinternalFormatBasics.fmtty_rel
    | Int32_ty :
        ('a1, 'b1, 'c1, 'd1, 'e1, 'f1, 'a2, 'b2, 'c2, 'd2, 'e2, 'f2)
        CamlinternalFormatBasics.fmtty_rel -> (int32 -> 'a1, 'b1, 'c1, 'd1,
                                               'e1, 'f1, int32 -> 'a2, 'b2,
                                               'c2, 'd2, 'e2, 'f2)
                                              CamlinternalFormatBasics.fmtty_rel
    | Nativeint_ty :
        ('a1, 'b1, 'c1, 'd1, 'e1, 'f1, 'a2, 'b2, 'c2, 'd2, 'e2, 'f2)
        CamlinternalFormatBasics.fmtty_rel -> (nativeint -> 'a1, 'b1, 'c1,
                                               'd1, 'e1, 'f1,
                                               nativeint -> 'a2, 'b2, 'c2,
                                               'd2, 'e2, 'f2)
                                              CamlinternalFormatBasics.fmtty_rel
    | Int64_ty :
        ('a1, 'b1, 'c1, 'd1, 'e1, 'f1, 'a2, 'b2, 'c2, 'd2, 'e2, 'f2)
        CamlinternalFormatBasics.fmtty_rel -> (int64 -> 'a1, 'b1, 'c1, 'd1,
                                               'e1, 'f1, int64 -> 'a2, 'b2,
                                               'c2, 'd2, 'e2, 'f2)
                                              CamlinternalFormatBasics.fmtty_rel
    | Float_ty :
        ('a1, 'b1, 'c1, 'd1, 'e1, 'f1, 'a2, 'b2, 'c2, 'd2, 'e2, 'f2)
        CamlinternalFormatBasics.fmtty_rel -> (float -> 'a1, 'b1, 'c1, 'd1,
                                               'e1, 'f1, float -> 'a2, 'b2,
                                               'c2, 'd2, 'e2, 'f2)
                                              CamlinternalFormatBasics.fmtty_rel
    | Bool_ty :
        ('a1, 'b1, 'c1, 'd1, 'e1, 'f1, 'a2, 'b2, 'c2, 'd2, 'e2, 'f2)
        CamlinternalFormatBasics.fmtty_rel -> (bool -> 'a1, 'b1, 'c1, 'd1,
                                               'e1, 'f1, bool -> 'a2, 'b2,
                                               'c2, 'd2, 'e2, 'f2)
                                              CamlinternalFormatBasics.fmtty_rel
    | Format_arg_ty :
        ('g, 'h, 'i, 'j, 'k, 'l) CamlinternalFormatBasics.fmtty *
        ('a1, 'b1, 'c1, 'd1, 'e1, 'f1, 'a2, 'b2, 'c2, 'd2, 'e2, 'f2)
        CamlinternalFormatBasics.fmtty_rel -> (('g, 'h, 'i, 'j, 'k, 'l)
                                               CamlinternalFormatBasics.format6 ->
                                               'a1, 'b1, 'c1, 'd1, 'e1, 'f1,
                                               ('g, 'h, 'i, 'j, 'k, 'l)
                                               CamlinternalFormatBasics.format6 ->
                                               'a2, 'b2, 'c2, 'd2, 'e2, 'f2)
                                              CamlinternalFormatBasics.fmtty_rel
    | Format_subst_ty :
        ('g, 'h, 'i, 'j, 'k, 'l, 'g1, 'b1, 'c1, 'j1, 'd1, 'a1)
        CamlinternalFormatBasics.fmtty_rel *
        ('g, 'h, 'i, 'j, 'k, 'l, 'g2, 'b2, 'c2, 'j2, 'd2, 'a2)
        CamlinternalFormatBasics.fmtty_rel *
        ('a1, 'b1, 'c1, 'd1, 'e1, 'f1, 'a2, 'b2, 'c2, 'd2, 'e2, 'f2)
        CamlinternalFormatBasics.fmtty_rel -> (('g, 'h, 'i, 'j, 'k, 'l)
                                               CamlinternalFormatBasics.format6 ->
                                               'g1, 'b1, 'c1, 'j1, 'e1, 'f1,
                                               ('g, 'h, 'i, 'j, 'k, 'l)
                                               CamlinternalFormatBasics.format6 ->
                                               'g2, 'b2, 'c2, 'j2, 'e2, 'f2)
                                              CamlinternalFormatBasics.fmtty_rel
    | Alpha_ty :
        ('a1, 'b1, 'c1, 'd1, 'e1, 'f1, 'a2, 'b2, 'c2, 'd2, 'e2, 'f2)
        CamlinternalFormatBasics.fmtty_rel -> (('b1 -> '-> 'c1) ->
                                               '-> 'a1, 'b1, 'c1, 'd1, 'e1,
                                               'f1,
                                               ('b2 -> '-> 'c2) ->
                                               '-> 'a2, 'b2, 'c2, 'd2, 'e2,
                                               'f2)
                                              CamlinternalFormatBasics.fmtty_rel
    | Theta_ty :
        ('a1, 'b1, 'c1, 'd1, 'e1, 'f1, 'a2, 'b2, 'c2, 'd2, 'e2, 'f2)
        CamlinternalFormatBasics.fmtty_rel -> (('b1 -> 'c1) -> 'a1, 'b1, 'c1,
                                               'd1, 'e1, 'f1,
                                               ('b2 -> 'c2) -> 'a2, 'b2, 'c2,
                                               'd2, 'e2, 'f2)
                                              CamlinternalFormatBasics.fmtty_rel
    | Any_ty :
        ('a1, 'b1, 'c1, 'd1, 'e1, 'f1, 'a2, 'b2, 'c2, 'd2, 'e2, 'f2)
        CamlinternalFormatBasics.fmtty_rel -> ('-> 'a1, 'b1, 'c1, 'd1, 'e1,
                                               'f1, '-> 'a2, 'b2, 'c2, 'd2,
                                               'e2, 'f2)
                                              CamlinternalFormatBasics.fmtty_rel
    | Reader_ty :
        ('a1, 'b1, 'c1, 'd1, 'e1, 'f1, 'a2, 'b2, 'c2, 'd2, 'e2, 'f2)
        CamlinternalFormatBasics.fmtty_rel -> ('-> 'a1, 'b1, 'c1,
                                               ('b1 -> 'x) -> 'd1, 'e1, 'f1,
                                               '-> 'a2, 'b2, 'c2,
                                               ('b2 -> 'x) -> 'd2, 'e2, 'f2)
                                              CamlinternalFormatBasics.fmtty_rel
    | Ignored_reader_ty :
        ('a1, 'b1, 'c1, 'd1, 'e1, 'f1, 'a2, 'b2, 'c2, 'd2, 'e2, 'f2)
        CamlinternalFormatBasics.fmtty_rel -> ('a1, 'b1, 'c1,
                                               ('b1 -> 'x) -> 'd1, 'e1, 'f1,
                                               'a2, 'b2, 'c2,
                                               ('b2 -> 'x) -> 'd2, 'e2, 'f2)
                                              CamlinternalFormatBasics.fmtty_rel
    | End_of_fmtty :
        ('f1, 'b1, 'c1, 'd1, 'd1, 'f1, 'f2, 'b2, 'c2, 'd2, 'd2, 'f2)
        CamlinternalFormatBasics.fmtty_rel
  and ('a, 'b, 'c, 'd, 'e, 'f) fmt =
      Char :
        ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.fmt -> (char -> 'a,
                                                                  'b, 'c, 'd,
                                                                  'e, 'f)
                                                                 CamlinternalFormatBasics.fmt
    | Caml_char :
        ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.fmt -> (char -> 'a,
                                                                  'b, 'c, 'd,
                                                                  'e, 'f)
                                                                 CamlinternalFormatBasics.fmt
    | String : ('x, string -> 'a) CamlinternalFormatBasics.padding *
        ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.fmt -> ('x, 'b, 'c,
                                                                  'd, 'e, 'f)
                                                                 CamlinternalFormatBasics.fmt
    | Caml_string : ('x, string -> 'a) CamlinternalFormatBasics.padding *
        ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.fmt -> ('x, 'b, 'c,
                                                                  'd, 'e, 'f)
                                                                 CamlinternalFormatBasics.fmt
    | Int : CamlinternalFormatBasics.int_conv *
        ('x, 'y) CamlinternalFormatBasics.padding *
        ('y, int -> 'a) CamlinternalFormatBasics.precision *
        ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.fmt -> ('x, 'b, 'c,
                                                                  'd, 'e, 'f)
                                                                 CamlinternalFormatBasics.fmt
    | Int32 : CamlinternalFormatBasics.int_conv *
        ('x, 'y) CamlinternalFormatBasics.padding *
        ('y, int32 -> 'a) CamlinternalFormatBasics.precision *
        ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.fmt -> ('x, 'b, 'c,
                                                                  'd, 'e, 'f)
                                                                 CamlinternalFormatBasics.fmt
    | Nativeint : CamlinternalFormatBasics.int_conv *
        ('x, 'y) CamlinternalFormatBasics.padding *
        ('y, nativeint -> 'a) CamlinternalFormatBasics.precision *
        ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.fmt -> ('x, 'b, 'c,
                                                                  'd, 'e, 'f)
                                                                 CamlinternalFormatBasics.fmt
    | Int64 : CamlinternalFormatBasics.int_conv *
        ('x, 'y) CamlinternalFormatBasics.padding *
        ('y, int64 -> 'a) CamlinternalFormatBasics.precision *
        ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.fmt -> ('x, 'b, 'c,
                                                                  'd, 'e, 'f)
                                                                 CamlinternalFormatBasics.fmt
    | Float : CamlinternalFormatBasics.float_conv *
        ('x, 'y) CamlinternalFormatBasics.padding *
        ('y, float -> 'a) CamlinternalFormatBasics.precision *
        ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.fmt -> ('x, 'b, 'c,
                                                                  'd, 'e, 'f)
                                                                 CamlinternalFormatBasics.fmt
    | Bool :
        ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.fmt -> (bool -> 'a,
                                                                  'b, 'c, 'd,
                                                                  'e, 'f)
                                                                 CamlinternalFormatBasics.fmt
    | Flush :
        ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.fmt -> ('a, 'b, 'c,
                                                                  'd, 'e, 'f)
                                                                 CamlinternalFormatBasics.fmt
    | String_literal : string *
        ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.fmt -> ('a, 'b, 'c,
                                                                  'd, 'e, 'f)
                                                                 CamlinternalFormatBasics.fmt
    | Char_literal : char *
        ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.fmt -> ('a, 'b, 'c,
                                                                  'd, 'e, 'f)
                                                                 CamlinternalFormatBasics.fmt
    | Format_arg : CamlinternalFormatBasics.pad_option *
        ('g, 'h, 'i, 'j, 'k, 'l) CamlinternalFormatBasics.fmtty *
        ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.fmt -> (('g, 'h,
                                                                   'i, 'j,
                                                                   'k, 'l)
                                                                  CamlinternalFormatBasics.format6 ->
                                                                  'a, 'b, 'c,
                                                                  'd, 'e, 'f)
                                                                 CamlinternalFormatBasics.fmt
    | Format_subst : CamlinternalFormatBasics.pad_option *
        ('g, 'h, 'i, 'j, 'k, 'l, 'g2, 'b, 'c, 'j2, 'd, 'a)
        CamlinternalFormatBasics.fmtty_rel *
        ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.fmt -> (('g, 'h,
                                                                   'i, 'j,
                                                                   'k, 'l)
                                                                  CamlinternalFormatBasics.format6 ->
                                                                  'g2, 'b,
                                                                  'c, 'j2,
                                                                  'e, 'f)
                                                                 CamlinternalFormatBasics.fmt
    | Alpha :
        ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.fmt -> (('->
                                                                   '-> 'c) ->
                                                                  '-> 'a,
                                                                  'b, 'c, 'd,
                                                                  'e, 'f)
                                                                 CamlinternalFormatBasics.fmt
    | Theta :
        ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.fmt -> (('-> 'c) ->
                                                                  'a, 'b, 'c,
                                                                  'd, 'e, 'f)
                                                                 CamlinternalFormatBasics.fmt
    | Formatting_lit : CamlinternalFormatBasics.formatting_lit *
        ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.fmt -> ('a, 'b, 'c,
                                                                  'd, 'e, 'f)
                                                                 CamlinternalFormatBasics.fmt
    | Formatting_gen :
        ('a1, 'b, 'c, 'd1, 'e1, 'f1) CamlinternalFormatBasics.formatting_gen *
        ('f1, 'b, 'c, 'e1, 'e2, 'f2) CamlinternalFormatBasics.fmt -> 
        ('a1, 'b, 'c, 'd1, 'e2, 'f2) CamlinternalFormatBasics.fmt
    | Reader :
        ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.fmt -> ('-> 'a,
                                                                  'b, 'c,
                                                                  ('-> 'x) ->
                                                                  'd, 'e, 'f)
                                                                 CamlinternalFormatBasics.fmt
    | Scan_char_set : CamlinternalFormatBasics.pad_option *
        CamlinternalFormatBasics.char_set *
        ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.fmt -> (string ->
                                                                  'a, 'b, 'c,
                                                                  'd, 'e, 'f)
                                                                 CamlinternalFormatBasics.fmt
    | Scan_get_counter : CamlinternalFormatBasics.counter *
        ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.fmt -> (int -> 'a,
                                                                  'b, 'c, 'd,
                                                                  'e, 'f)
                                                                 CamlinternalFormatBasics.fmt
    | Scan_next_char :
        ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.fmt -> (char -> 'a,
                                                                  'b, 'c, 'd,
                                                                  'e, 'f)
                                                                 CamlinternalFormatBasics.fmt
    | Ignored_param :
        ('a, 'b, 'c, 'd, 'y, 'x) CamlinternalFormatBasics.ignored *
        ('x, 'b, 'c, 'y, 'e, 'f) CamlinternalFormatBasics.fmt -> ('a, 'b, 'c,
                                                                  'd, 'e, 'f)
                                                                 CamlinternalFormatBasics.fmt
    | Custom : ('a, 'x, 'y) CamlinternalFormatBasics.custom_arity *
        (unit -> 'x) *
        ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.fmt -> ('y, 'b, 'c,
                                                                  'd, 'e, 'f)
                                                                 CamlinternalFormatBasics.fmt
    | End_of_format : ('f, 'b, 'c, 'e, 'e, 'f) CamlinternalFormatBasics.fmt
  and ('a, 'b, 'c, 'd, 'e, 'f) ignored =
      Ignored_char :
        ('a, 'b, 'c, 'd, 'd, 'a) CamlinternalFormatBasics.ignored
    | Ignored_caml_char :
        ('a, 'b, 'c, 'd, 'd, 'a) CamlinternalFormatBasics.ignored
    | Ignored_string :
        CamlinternalFormatBasics.pad_option -> ('a, 'b, 'c, 'd, 'd, 'a)
                                               CamlinternalFormatBasics.ignored
    | Ignored_caml_string :
        CamlinternalFormatBasics.pad_option -> ('a, 'b, 'c, 'd, 'd, 'a)
                                               CamlinternalFormatBasics.ignored
    | Ignored_int : CamlinternalFormatBasics.int_conv *
        CamlinternalFormatBasics.pad_option -> ('a, 'b, 'c, 'd, 'd, 'a)
                                               CamlinternalFormatBasics.ignored
    | Ignored_int32 : CamlinternalFormatBasics.int_conv *
        CamlinternalFormatBasics.pad_option -> ('a, 'b, 'c, 'd, 'd, 'a)
                                               CamlinternalFormatBasics.ignored
    | Ignored_nativeint : CamlinternalFormatBasics.int_conv *
        CamlinternalFormatBasics.pad_option -> ('a, 'b, 'c, 'd, 'd, 'a)
                                               CamlinternalFormatBasics.ignored
    | Ignored_int64 : CamlinternalFormatBasics.int_conv *
        CamlinternalFormatBasics.pad_option -> ('a, 'b, 'c, 'd, 'd, 'a)
                                               CamlinternalFormatBasics.ignored
    | Ignored_float : CamlinternalFormatBasics.pad_option *
        CamlinternalFormatBasics.prec_option -> ('a, 'b, 'c, 'd, 'd, 'a)
                                                CamlinternalFormatBasics.ignored
    | Ignored_bool :
        ('a, 'b, 'c, 'd, 'd, 'a) CamlinternalFormatBasics.ignored
    | Ignored_format_arg : CamlinternalFormatBasics.pad_option *
        ('g, 'h, 'i, 'j, 'k, 'l) CamlinternalFormatBasics.fmtty -> ('a, 'b,
                                                                    'c, 'd,
                                                                    'd, 'a)
                                                                   CamlinternalFormatBasics.ignored
    | Ignored_format_subst : CamlinternalFormatBasics.pad_option *
        ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.fmtty -> ('a, 'b,
                                                                    'c, 'd,
                                                                    'e, 'f)
                                                                   CamlinternalFormatBasics.ignored
    | Ignored_reader :
        ('a, 'b, 'c, ('-> 'x) -> 'd, 'd, 'a)
        CamlinternalFormatBasics.ignored
    | Ignored_scan_char_set : CamlinternalFormatBasics.pad_option *
        CamlinternalFormatBasics.char_set -> ('a, 'b, 'c, 'd, 'd, 'a)
                                             CamlinternalFormatBasics.ignored
    | Ignored_scan_get_counter :
        CamlinternalFormatBasics.counter -> ('a, 'b, 'c, 'd, 'd, 'a)
                                            CamlinternalFormatBasics.ignored
    | Ignored_scan_next_char :
        ('a, 'b, 'c, 'd, 'd, 'a) CamlinternalFormatBasics.ignored
  and ('a, 'b, 'c, 'd, 'e, 'f) format6 =
      Format of ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.fmt *
        string
  val concat_fmtty :
    ('g1, 'b1, 'c1, 'j1, 'd1, 'a1, 'g2, 'b2, 'c2, 'j2, 'd2, 'a2)
    CamlinternalFormatBasics.fmtty_rel ->
    ('a1, 'b1, 'c1, 'd1, 'e1, 'f1, 'a2, 'b2, 'c2, 'd2, 'e2, 'f2)
    CamlinternalFormatBasics.fmtty_rel ->
    ('g1, 'b1, 'c1, 'j1, 'e1, 'f1, 'g2, 'b2, 'c2, 'j2, 'e2, 'f2)
    CamlinternalFormatBasics.fmtty_rel
  val erase_rel :
    ('a, 'b, 'c, 'd, 'e, 'f, 'g, 'h, 'i, 'j, 'k, 'l)
    CamlinternalFormatBasics.fmtty_rel ->
    ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.fmtty
  val concat_fmt :
    ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.fmt ->
    ('f, 'b, 'c, 'e, 'g, 'h) CamlinternalFormatBasics.fmt ->
    ('a, 'b, 'c, 'd, 'g, 'h) CamlinternalFormatBasics.fmt
end
ocaml-doc-4.05/ocaml.html/libref/type_Longident.html0000644000175000017500000001711613131636445021425 0ustar mehdimehdi Longident sig
  type t =
      Lident of string
    | Ldot of Longident.t * string
    | Lapply of Longident.t * Longident.t
  val flatten : Longident.t -> string list
  val last : Longident.t -> string
  val parse : string -> Longident.t
end
ocaml-doc-4.05/ocaml.html/libref/type_Misc.Stdlib.List.html0000644000175000017500000002602713131636445022530 0ustar mehdimehdi Misc.Stdlib.List sig
  type 'a t = 'a list
  val compare :
    ('-> '-> int) ->
    'Misc.Stdlib.List.t -> 'Misc.Stdlib.List.t -> int
  val equal :
    ('-> '-> bool) ->
    'Misc.Stdlib.List.t -> 'Misc.Stdlib.List.t -> bool
  val filter_map :
    ('-> 'b option) -> 'Misc.Stdlib.List.t -> 'Misc.Stdlib.List.t
  val some_if_all_elements_are_some :
    'a option Misc.Stdlib.List.t -> 'Misc.Stdlib.List.t option
  val map2_prefix :
    ('-> '-> 'c) ->
    'Misc.Stdlib.List.t ->
    'Misc.Stdlib.List.t -> 'Misc.Stdlib.List.t * 'Misc.Stdlib.List.t
  val split_at :
    int ->
    'Misc.Stdlib.List.t -> 'Misc.Stdlib.List.t * 'Misc.Stdlib.List.t
end
ocaml-doc-4.05/ocaml.html/libref/Bytes.html0000644000175000017500000012255313131636442017526 0ustar mehdimehdi Bytes

Module Bytes

module Bytes: sig .. end
Byte sequence operations.

A byte sequence is a mutable data structure that contains a fixed-length sequence of bytes. Each byte can be indexed in constant time for reading or writing.

Given a byte sequence s of length l, we can access each of the l bytes of s via its index in the sequence. Indexes start at 0, and we will call an index valid in s if it falls within the range [0...l-1] (inclusive). A position is the point between two bytes or at the beginning or end of the sequence. We call a position valid in s if it falls within the range [0...l] (inclusive). Note that the byte at index n is between positions n and n+1.

Two parameters start and len are said to designate a valid range of s if len >= 0 and start and start+len are valid positions in s.

Byte sequences can be modified in place, for instance via the set and blit functions described below. See also strings (module String), which are almost the same data structure, but cannot be modified in place.

Bytes are represented by the OCaml type char.
Since 4.02.0


val length : bytes -> int
Return the length (number of bytes) of the argument.
val get : bytes -> int -> char
get s n returns the byte at index n in argument s.

Raise Invalid_argument if n is not a valid index in s.

val set : bytes -> int -> char -> unit
set s n c modifies s in place, replacing the byte at index n with c.

Raise Invalid_argument if n is not a valid index in s.

val create : int -> bytes
create n returns a new byte sequence of length n. The sequence is uninitialized and contains arbitrary bytes.

Raise Invalid_argument if n < 0 or n > Sys.max_string_length.

val make : int -> char -> bytes
make n c returns a new byte sequence of length n, filled with the byte c.

Raise Invalid_argument if n < 0 or n > Sys.max_string_length.

val init : int -> (int -> char) -> bytes
Bytes.init n f returns a fresh byte sequence of length n, with character i initialized to the result of f i (in increasing index order).

Raise Invalid_argument if n < 0 or n > Sys.max_string_length.

val empty : bytes
A byte sequence of size 0.
val copy : bytes -> bytes
Return a new byte sequence that contains the same bytes as the argument.
val of_string : string -> bytes
Return a new byte sequence that contains the same bytes as the given string.
val to_string : bytes -> string
Return a new string that contains the same bytes as the given byte sequence.
val sub : bytes -> int -> int -> bytes
sub s start len returns a new byte sequence of length len, containing the subsequence of s that starts at position start and has length len.

Raise Invalid_argument if start and len do not designate a valid range of s.

val sub_string : bytes -> int -> int -> string
Same as sub but return a string instead of a byte sequence.
val extend : bytes -> int -> int -> bytes
extend s left right returns a new byte sequence that contains the bytes of s, with left uninitialized bytes prepended and right uninitialized bytes appended to it. If left or right is negative, then bytes are removed (instead of appended) from the corresponding side of s.

Raise Invalid_argument if the result length is negative or longer than Sys.max_string_length bytes.

val fill : bytes -> int -> int -> char -> unit
fill s start len c modifies s in place, replacing len characters with c, starting at start.

Raise Invalid_argument if start and len do not designate a valid range of s.

val blit : bytes -> int -> bytes -> int -> int -> unit
blit src srcoff dst dstoff len copies len bytes from sequence src, starting at index srcoff, to sequence dst, starting at index dstoff. It works correctly even if src and dst are the same byte sequence, and the source and destination intervals overlap.

Raise Invalid_argument if srcoff and len do not designate a valid range of src, or if dstoff and len do not designate a valid range of dst.

val blit_string : string -> int -> bytes -> int -> int -> unit
blit src srcoff dst dstoff len copies len bytes from string src, starting at index srcoff, to byte sequence dst, starting at index dstoff.

Raise Invalid_argument if srcoff and len do not designate a valid range of src, or if dstoff and len do not designate a valid range of dst.

val concat : bytes -> bytes list -> bytes
concat sep sl concatenates the list of byte sequences sl, inserting the separator byte sequence sep between each, and returns the result as a new byte sequence.

Raise Invalid_argument if the result is longer than Sys.max_string_length bytes.

val cat : bytes -> bytes -> bytes
cat s1 s2 concatenates s1 and s2 and returns the result as new byte sequence.

Raise Invalid_argument if the result is longer than Sys.max_string_length bytes.

val iter : (char -> unit) -> bytes -> unit
iter f s applies function f in turn to all the bytes of s. It is equivalent to f (get s 0); f (get s 1); ...; f (get s
    (length s - 1)); ()
.
val iteri : (int -> char -> unit) -> bytes -> unit
Same as Bytes.iter, but the function is applied to the index of the byte as first argument and the byte itself as second argument.
val map : (char -> char) -> bytes -> bytes
map f s applies function f in turn to all the bytes of s (in increasing index order) and stores the resulting bytes in a new sequence that is returned as the result.
val mapi : (int -> char -> char) -> bytes -> bytes
mapi f s calls f with each character of s and its index (in increasing index order) and stores the resulting bytes in a new sequence that is returned as the result.
val trim : bytes -> bytes
Return a copy of the argument, without leading and trailing whitespace. The bytes regarded as whitespace are the ASCII characters ' ', '\012', '\n', '\r', and '\t'.
val escaped : bytes -> bytes
Return a copy of the argument, with special characters represented by escape sequences, following the lexical conventions of OCaml. All characters outside the ASCII printable range (32..126) are escaped, as well as backslash and double-quote.

Raise Invalid_argument if the result is longer than Sys.max_string_length bytes.

val index : bytes -> char -> int
index s c returns the index of the first occurrence of byte c in s.

Raise Not_found if c does not occur in s.

val index_opt : bytes -> char -> int option
index_opt s c returns the index of the first occurrence of byte c in s or None if c does not occur in s.
Since 4.05
val rindex : bytes -> char -> int
rindex s c returns the index of the last occurrence of byte c in s.

Raise Not_found if c does not occur in s.

val rindex_opt : bytes -> char -> int option
rindex_opt s c returns the index of the last occurrence of byte c in s or None if c does not occur in s.
Since 4.05
val index_from : bytes -> int -> char -> int
index_from s i c returns the index of the first occurrence of byte c in s after position i. Bytes.index s c is equivalent to Bytes.index_from s 0 c.

Raise Invalid_argument if i is not a valid position in s. Raise Not_found if c does not occur in s after position i.

val index_from_opt : bytes -> int -> char -> int option
index_from _opts i c returns the index of the first occurrence of byte c in s after position i or None if c does not occur in s after position i. Bytes.index_opt s c is equivalent to Bytes.index_from_opt s 0 c.

Raise Invalid_argument if i is not a valid position in s.
Since 4.05

val rindex_from : bytes -> int -> char -> int
rindex_from s i c returns the index of the last occurrence of byte c in s before position i+1. rindex s c is equivalent to rindex_from s (Bytes.length s - 1) c.

Raise Invalid_argument if i+1 is not a valid position in s. Raise Not_found if c does not occur in s before position i+1.

val rindex_from_opt : bytes -> int -> char -> int option
rindex_from_opt s i c returns the index of the last occurrence of byte c in s before position i+1 or None if c does not occur in s before position i+1. rindex_opt s c is equivalent to rindex_from s (Bytes.length s - 1) c.

Raise Invalid_argument if i+1 is not a valid position in s.
Since 4.05

val contains : bytes -> char -> bool
contains s c tests if byte c appears in s.
val contains_from : bytes -> int -> char -> bool
contains_from s start c tests if byte c appears in s after position start. contains s c is equivalent to contains_from
    s 0 c
.

Raise Invalid_argument if start is not a valid position in s.

val rcontains_from : bytes -> int -> char -> bool
rcontains_from s stop c tests if byte c appears in s before position stop+1.

Raise Invalid_argument if stop < 0 or stop+1 is not a valid position in s.

val uppercase : bytes -> bytes
Deprecated.Functions operating on Latin-1 character set are deprecated.
Return a copy of the argument, with all lowercase letters translated to uppercase, including accented letters of the ISO Latin-1 (8859-1) character set.
val lowercase : bytes -> bytes
Deprecated.Functions operating on Latin-1 character set are deprecated.
Return a copy of the argument, with all uppercase letters translated to lowercase, including accented letters of the ISO Latin-1 (8859-1) character set.
val capitalize : bytes -> bytes
Deprecated.Functions operating on Latin-1 character set are deprecated.
Return a copy of the argument, with the first character set to uppercase, using the ISO Latin-1 (8859-1) character set..
val uncapitalize : bytes -> bytes
Deprecated.Functions operating on Latin-1 character set are deprecated.
Return a copy of the argument, with the first character set to lowercase, using the ISO Latin-1 (8859-1) character set..
val uppercase_ascii : bytes -> bytes
Return a copy of the argument, with all lowercase letters translated to uppercase, using the US-ASCII character set.
Since 4.03.0
val lowercase_ascii : bytes -> bytes
Return a copy of the argument, with all uppercase letters translated to lowercase, using the US-ASCII character set.
Since 4.03.0
val capitalize_ascii : bytes -> bytes
Return a copy of the argument, with the first character set to uppercase, using the US-ASCII character set.
Since 4.03.0
val uncapitalize_ascii : bytes -> bytes
Return a copy of the argument, with the first character set to lowercase, using the US-ASCII character set.
Since 4.03.0
type t = bytes 
An alias for the type of byte sequences.
val compare : t -> t -> int
The comparison function for byte sequences, with the same specification as compare. Along with the type t, this function compare allows the module Bytes to be passed as argument to the functors Set.Make and Map.Make.
val equal : t -> t -> bool
The equality function for byte sequences.
Since 4.03.0

Unsafe conversions (for advanced users)

This section describes unsafe, low-level conversion functions between bytes and string. They do not copy the internal data; used improperly, they can break the immutability invariant on strings provided by the -safe-string option. They are available for expert library authors, but for most purposes you should use the always-correct Bytes.to_string and Bytes.of_string instead.

val unsafe_to_string : bytes -> string
Unsafely convert a byte sequence into a string.

To reason about the use of unsafe_to_string, it is convenient to consider an "ownership" discipline. A piece of code that manipulates some data "owns" it; there are several disjoint ownership modes, including:

Unique ownership is linear: passing the data to another piece of code means giving up ownership (we cannot write the data again). A unique owner may decide to make the data shared (giving up mutation rights on it), but shared data may not become uniquely-owned again.

unsafe_to_string s can only be used when the caller owns the byte sequence s -- either uniquely or as shared immutable data. The caller gives up ownership of s, and gains ownership of the returned string.

There are two valid use-cases that respect this ownership discipline:

1. Creating a string by initializing and mutating a byte sequence that is never changed after initialization is performed.

let string_init len f : string =
  let s = Bytes.create len in
  for i = 0 to len - 1 do Bytes.set s i (f i) done;
  Bytes.unsafe_to_string s
   

This function is safe because the byte sequence s will never be accessed or mutated after unsafe_to_string is called. The string_init code gives up ownership of s, and returns the ownership of the resulting string to its caller.

Note that it would be unsafe if s was passed as an additional parameter to the function f as it could escape this way and be mutated in the future -- string_init would give up ownership of s to pass it to f, and could not call unsafe_to_string safely.

We have provided the String.init, String.map and String.mapi functions to cover most cases of building new strings. You should prefer those over to_string or unsafe_to_string whenever applicable.

2. Temporarily giving ownership of a byte sequence to a function that expects a uniquely owned string and returns ownership back, so that we can mutate the sequence again after the call ended.

let bytes_length (s : bytes) =
  String.length (Bytes.unsafe_to_string s)
   

In this use-case, we do not promise that s will never be mutated after the call to bytes_length s. The String.length function temporarily borrows unique ownership of the byte sequence (and sees it as a string), but returns this ownership back to the caller, which may assume that s is still a valid byte sequence after the call. Note that this is only correct because we know that String.length does not capture its argument -- it could escape by a side-channel such as a memoization combinator.

The caller may not mutate s while the string is borrowed (it has temporarily given up ownership). This affects concurrent programs, but also higher-order functions: if String.length returned a closure to be called later, s should not be mutated until this closure is fully applied and returns ownership.

val unsafe_of_string : string -> bytes
Unsafely convert a shared string to a byte sequence that should not be mutated.

The same ownership discipline that makes unsafe_to_string correct applies to unsafe_of_string: you may use it if you were the owner of the string value, and you will own the return bytes in the same mode.

In practice, unique ownership of string values is extremely difficult to reason about correctly. You should always assume strings are shared, never uniquely owned.

For example, string literals are implicitly shared by the compiler, so you never uniquely own them.

let incorrect = Bytes.unsafe_of_string "hello"
let s = Bytes.of_string "hello"
    

The first declaration is incorrect, because the string literal "hello" could be shared by the compiler with other parts of the program, and mutating incorrect is a bug. You must always use the second version, which performs a copy and is thus correct.

Assuming unique ownership of strings that are not string literals, but are (partly) built from string literals, is also incorrect. For example, mutating unsafe_of_string ("foo" ^ s) could mutate the shared string "foo" -- assuming a rope-like representation of strings. More generally, functions operating on strings will assume shared ownership, they do not preserve unique ownership. It is thus incorrect to assume unique ownership of the result of unsafe_of_string.

The only case we have reasonable confidence is safe is if the produced bytes is shared -- used as an immutable byte sequence. This is possibly useful for incremental migration of low-level programs that manipulate immutable sequences of bytes (for example Marshal.from_bytes) and previously used the string type for this purpose.

ocaml-doc-4.05/ocaml.html/libref/type_Stream.html0000644000175000017500000003116313131636450020727 0ustar mehdimehdi Stream sig
  type 'a t
  exception Failure
  exception Error of string
  val from : (int -> 'a option) -> 'Stream.t
  val of_list : 'a list -> 'Stream.t
  val of_string : string -> char Stream.t
  val of_bytes : bytes -> char Stream.t
  val of_channel : Pervasives.in_channel -> char Stream.t
  val iter : ('-> unit) -> 'Stream.t -> unit
  val next : 'Stream.t -> 'a
  val empty : 'Stream.t -> unit
  val peek : 'Stream.t -> 'a option
  val junk : 'Stream.t -> unit
  val count : 'Stream.t -> int
  val npeek : int -> 'Stream.t -> 'a list
  val iapp : 'Stream.t -> 'Stream.t -> 'Stream.t
  val icons : '-> 'Stream.t -> 'Stream.t
  val ising : '-> 'Stream.t
  val lapp : (unit -> 'Stream.t) -> 'Stream.t -> 'Stream.t
  val lcons : (unit -> 'a) -> 'Stream.t -> 'Stream.t
  val lsing : (unit -> 'a) -> 'Stream.t
  val sempty : 'Stream.t
  val slazy : (unit -> 'Stream.t) -> 'Stream.t
  val dump : ('-> unit) -> 'Stream.t -> unit
end
ocaml-doc-4.05/ocaml.html/libref/Array.html0000644000175000017500000007060113131636441017511 0ustar mehdimehdi Array

Module Array

module Array: sig .. end
Array operations.

val length : 'a array -> int
Return the length (number of elements) of the given array.
val get : 'a array -> int -> 'a
Array.get a n returns the element number n of array a. The first element has number 0. The last element has number Array.length a - 1. You can also write a.(n) instead of Array.get a n.

Raise Invalid_argument "index out of bounds" if n is outside the range 0 to (Array.length a - 1).

val set : 'a array -> int -> 'a -> unit
Array.set a n x modifies array a in place, replacing element number n with x. You can also write a.(n) <- x instead of Array.set a n x.

Raise Invalid_argument "index out of bounds" if n is outside the range 0 to Array.length a - 1.

val make : int -> 'a -> 'a array
Array.make n x returns a fresh array of length n, initialized with x. All the elements of this new array are initially physically equal to x (in the sense of the == predicate). Consequently, if x is mutable, it is shared among all elements of the array, and modifying x through one of the array entries will modify all other entries at the same time.

Raise Invalid_argument if n < 0 or n > Sys.max_array_length. If the value of x is a floating-point number, then the maximum size is only Sys.max_array_length / 2.

val create : int -> 'a -> 'a array
Deprecated.Array.create is an alias for Array.make.
val create_float : int -> float array
Array.create_float n returns a fresh float array of length n, with uninitialized data.
Since 4.03
val make_float : int -> float array
Deprecated.Array.make_float is an alias for Array.create_float.
val init : int -> (int -> 'a) -> 'a array
Array.init n f returns a fresh array of length n, with element number i initialized to the result of f i. In other terms, Array.init n f tabulates the results of f applied to the integers 0 to n-1.

Raise Invalid_argument if n < 0 or n > Sys.max_array_length. If the return type of f is float, then the maximum size is only Sys.max_array_length / 2.

val make_matrix : int -> int -> 'a -> 'a array array
Array.make_matrix dimx dimy e returns a two-dimensional array (an array of arrays) with first dimension dimx and second dimension dimy. All the elements of this new matrix are initially physically equal to e. The element (x,y) of a matrix m is accessed with the notation m.(x).(y).

Raise Invalid_argument if dimx or dimy is negative or greater than Sys.max_array_length. If the value of e is a floating-point number, then the maximum size is only Sys.max_array_length / 2.

val create_matrix : int -> int -> 'a -> 'a array array
Deprecated.Array.create_matrix is an alias for Array.make_matrix.
val append : 'a array -> 'a array -> 'a array
Array.append v1 v2 returns a fresh array containing the concatenation of the arrays v1 and v2.
val concat : 'a array list -> 'a array
Same as Array.append, but concatenates a list of arrays.
val sub : 'a array -> int -> int -> 'a array
Array.sub a start len returns a fresh array of length len, containing the elements number start to start + len - 1 of array a.

Raise Invalid_argument "Array.sub" if start and len do not designate a valid subarray of a; that is, if start < 0, or len < 0, or start + len > Array.length a.

val copy : 'a array -> 'a array
Array.copy a returns a copy of a, that is, a fresh array containing the same elements as a.
val fill : 'a array -> int -> int -> 'a -> unit
Array.fill a ofs len x modifies the array a in place, storing x in elements number ofs to ofs + len - 1.

Raise Invalid_argument "Array.fill" if ofs and len do not designate a valid subarray of a.

val blit : 'a array -> int -> 'a array -> int -> int -> unit
Array.blit v1 o1 v2 o2 len copies len elements from array v1, starting at element number o1, to array v2, starting at element number o2. It works correctly even if v1 and v2 are the same array, and the source and destination chunks overlap.

Raise Invalid_argument "Array.blit" if o1 and len do not designate a valid subarray of v1, or if o2 and len do not designate a valid subarray of v2.

val to_list : 'a array -> 'a list
Array.to_list a returns the list of all the elements of a.
val of_list : 'a list -> 'a array
Array.of_list l returns a fresh array containing the elements of l.

Iterators

val iter : ('a -> unit) -> 'a array -> unit
Array.iter f a applies function f in turn to all the elements of a. It is equivalent to f a.(0); f a.(1); ...; f a.(Array.length a - 1); ().
val iteri : (int -> 'a -> unit) -> 'a array -> unit
Same as Array.iter, but the function is applied with the index of the element as first argument, and the element itself as second argument.
val map : ('a -> 'b) -> 'a array -> 'b array
Array.map f a applies function f to all the elements of a, and builds an array with the results returned by f: [| f a.(0); f a.(1); ...; f a.(Array.length a - 1) |].
val mapi : (int -> 'a -> 'b) -> 'a array -> 'b array
Same as Array.map, but the function is applied to the index of the element as first argument, and the element itself as second argument.
val fold_left : ('a -> 'b -> 'a) -> 'a -> 'b array -> 'a
Array.fold_left f x a computes f (... (f (f x a.(0)) a.(1)) ...) a.(n-1), where n is the length of the array a.
val fold_right : ('b -> 'a -> 'a) -> 'b array -> 'a -> 'a
Array.fold_right f a x computes f a.(0) (f a.(1) ( ... (f a.(n-1) x) ...)), where n is the length of the array a.

Iterators on two arrays

val iter2 : ('a -> 'b -> unit) -> 'a array -> 'b array -> unit
Array.iter2 f a b applies function f to all the elements of a and b. Raise Invalid_argument if the arrays are not the same size.
Since 4.03.0
val map2 : ('a -> 'b -> 'c) -> 'a array -> 'b array -> 'c array
Array.map2 f a b applies function f to all the elements of a and b, and builds an array with the results returned by f: [| f a.(0) b.(0); ...; f a.(Array.length a - 1) b.(Array.length b - 1)|]. Raise Invalid_argument if the arrays are not the same size.
Since 4.03.0

Array scanning

val for_all : ('a -> bool) -> 'a array -> bool
Array.for_all p [|a1; ...; an|] checks if all elements of the array satisfy the predicate p. That is, it returns (p a1) && (p a2) && ... && (p an).
Since 4.03.0
val exists : ('a -> bool) -> 'a array -> bool
Array.exists p [|a1; ...; an|] checks if at least one element of the array satisfies the predicate p. That is, it returns (p a1) || (p a2) || ... || (p an).
Since 4.03.0
val mem : 'a -> 'a array -> bool
mem a l is true if and only if a is equal to an element of l.
Since 4.03.0
val memq : 'a -> 'a array -> bool
Same as Array.mem, but uses physical equality instead of structural equality to compare array elements.
Since 4.03.0

Sorting

val sort : ('a -> 'a -> int) -> 'a array -> unit
Sort an array in increasing order according to a comparison function. The comparison function must return 0 if its arguments compare as equal, a positive integer if the first is greater, and a negative integer if the first is smaller (see below for a complete specification). For example, compare is a suitable comparison function, provided there are no floating-point NaN values in the data. After calling Array.sort, the array is sorted in place in increasing order. Array.sort is guaranteed to run in constant heap space and (at most) logarithmic stack space.

The current implementation uses Heap Sort. It runs in constant stack space.

Specification of the comparison function: Let a be the array and cmp the comparison function. The following must be true for all x, y, z in a :

When Array.sort returns, a contains the same elements as before, reordered in such a way that for all i and j valid indices of a :
val stable_sort : ('a -> 'a -> int) -> 'a array -> unit
Same as Array.sort, but the sorting algorithm is stable (i.e. elements that compare equal are kept in their original order) and not guaranteed to run in constant heap space.

The current implementation uses Merge Sort. It uses n/2 words of heap space, where n is the length of the array. It is usually faster than the current implementation of Array.sort.

val fast_sort : ('a -> 'a -> int) -> 'a array -> unit
Same as Array.sort or Array.stable_sort, whichever is faster on typical input.
ocaml-doc-4.05/ocaml.html/libref/type_Ast_helper.Csig.html0000644000175000017500000001547413131636441022455 0ustar mehdimehdi Ast_helper.Csig sig
  val mk :
    Parsetree.core_type ->
    Parsetree.class_type_field list -> Parsetree.class_signature
end
ocaml-doc-4.05/ocaml.html/libref/type_Attr_helper.html0000644000175000017500000001755413131636441021755 0ustar mehdimehdi Attr_helper sig
  type error = Multiple_attributes of string | No_payload_expected of string
  val get_no_payload_attribute :
    string list -> Parsetree.attributes -> string Asttypes.loc option
  val has_no_payload_attribute : string list -> Parsetree.attributes -> bool
  exception Error of Location.t * Attr_helper.error
  val report_error : Format.formatter -> Attr_helper.error -> unit
end
ocaml-doc-4.05/ocaml.html/libref/Bigarray.Genarray.html0000644000175000017500000007601313131636442021746 0ustar mehdimehdi Bigarray.Genarray

Module Bigarray.Genarray

module Genarray: sig .. end

type ('a, 'b, 'c) t 
The type Genarray.t is the type of big arrays with variable numbers of dimensions. Any number of dimensions between 0 and 16 is supported.

The three type parameters to Genarray.t identify the array element kind and layout, as follows:

For instance, (float, float32_elt, fortran_layout) Genarray.t is the type of generic big arrays containing 32-bit floats in Fortran layout; reads and writes in this array use the OCaml type float.
val create : ('a, 'b) Bigarray.kind ->
'c Bigarray.layout -> int array -> ('a, 'b, 'c) t
Genarray.create kind layout dimensions returns a new big array whose element kind is determined by the parameter kind (one of float32, float64, int8_signed, etc) and whose layout is determined by the parameter layout (one of c_layout or fortran_layout). The dimensions parameter is an array of integers that indicate the size of the big array in each dimension. The length of dimensions determines the number of dimensions of the bigarray.

For instance, Genarray.create int32 c_layout [|4;6;8|] returns a fresh big array of 32-bit integers, in C layout, having three dimensions, the three dimensions being 4, 6 and 8 respectively.

Big arrays returned by Genarray.create are not initialized: the initial values of array elements is unspecified.

Genarray.create raises Invalid_argument if the number of dimensions is not in the range 0 to 16 inclusive, or if one of the dimensions is negative.

val num_dims : ('a, 'b, 'c) t -> int
Return the number of dimensions of the given big array.
val dims : ('a, 'b, 'c) t -> int array
Genarray.dims a returns all dimensions of the big array a, as an array of integers of length Genarray.num_dims a.
val nth_dim : ('a, 'b, 'c) t -> int -> int
Genarray.nth_dim a n returns the n-th dimension of the big array a. The first dimension corresponds to n = 0; the second dimension corresponds to n = 1; the last dimension, to n = Genarray.num_dims a - 1. Raise Invalid_argument if n is less than 0 or greater or equal than Genarray.num_dims a.
val kind : ('a, 'b, 'c) t -> ('a, 'b) Bigarray.kind
Return the kind of the given big array.
val layout : ('a, 'b, 'c) t -> 'c Bigarray.layout
Return the layout of the given big array.
val change_layout : ('a, 'b, 'c) t ->
'd Bigarray.layout -> ('a, 'b, 'd) t
Genarray.change_layout a layout returns a bigarray with the specified layout, sharing the data with a (and hence having the same dimensions as a). No copying of elements is involved: the new array and the original array share the same storage space. The dimensions are reversed, such that get v [| a; b |] in C layout becomes get v [| b+1; a+1 |] in Fortran layout.
Since 4.04.0
val size_in_bytes : ('a, 'b, 'c) t -> int
size_in_bytes a is the number of elements in a multiplied by a's Bigarray.kind_size_in_bytes.
Since 4.03.0
val get : ('a, 'b, 'c) t -> int array -> 'a
Read an element of a generic big array. Genarray.get a [|i1; ...; iN|] returns the element of a whose coordinates are i1 in the first dimension, i2 in the second dimension, ..., iN in the N-th dimension.

If a has C layout, the coordinates must be greater or equal than 0 and strictly less than the corresponding dimensions of a. If a has Fortran layout, the coordinates must be greater or equal than 1 and less or equal than the corresponding dimensions of a. Raise Invalid_argument if the array a does not have exactly N dimensions, or if the coordinates are outside the array bounds.

If N > 3, alternate syntax is provided: you can write a.{i1, i2, ..., iN} instead of Genarray.get a [|i1; ...; iN|]. (The syntax a.{...} with one, two or three coordinates is reserved for accessing one-, two- and three-dimensional arrays as described below.)

val set : ('a, 'b, 'c) t -> int array -> 'a -> unit
Assign an element of a generic big array. Genarray.set a [|i1; ...; iN|] v stores the value v in the element of a whose coordinates are i1 in the first dimension, i2 in the second dimension, ..., iN in the N-th dimension.

The array a must have exactly N dimensions, and all coordinates must lie inside the array bounds, as described for Genarray.get; otherwise, Invalid_argument is raised.

If N > 3, alternate syntax is provided: you can write a.{i1, i2, ..., iN} <- v instead of Genarray.set a [|i1; ...; iN|] v. (The syntax a.{...} <- v with one, two or three coordinates is reserved for updating one-, two- and three-dimensional arrays as described below.)

val sub_left : ('a, 'b, Bigarray.c_layout) t ->
int -> int -> ('a, 'b, Bigarray.c_layout) t
Extract a sub-array of the given big array by restricting the first (left-most) dimension. Genarray.sub_left a ofs len returns a big array with the same number of dimensions as a, and the same dimensions as a, except the first dimension, which corresponds to the interval [ofs ... ofs + len - 1] of the first dimension of a. No copying of elements is involved: the sub-array and the original array share the same storage space. In other terms, the element at coordinates [|i1; ...; iN|] of the sub-array is identical to the element at coordinates [|i1+ofs; ...; iN|] of the original array a.

Genarray.sub_left applies only to big arrays in C layout. Raise Invalid_argument if ofs and len do not designate a valid sub-array of a, that is, if ofs < 0, or len < 0, or ofs + len > Genarray.nth_dim a 0.

val sub_right : ('a, 'b, Bigarray.fortran_layout) t ->
int -> int -> ('a, 'b, Bigarray.fortran_layout) t
Extract a sub-array of the given big array by restricting the last (right-most) dimension. Genarray.sub_right a ofs len returns a big array with the same number of dimensions as a, and the same dimensions as a, except the last dimension, which corresponds to the interval [ofs ... ofs + len - 1] of the last dimension of a. No copying of elements is involved: the sub-array and the original array share the same storage space. In other terms, the element at coordinates [|i1; ...; iN|] of the sub-array is identical to the element at coordinates [|i1; ...; iN+ofs|] of the original array a.

Genarray.sub_right applies only to big arrays in Fortran layout. Raise Invalid_argument if ofs and len do not designate a valid sub-array of a, that is, if ofs < 1, or len < 0, or ofs + len > Genarray.nth_dim a (Genarray.num_dims a - 1).

val slice_left : ('a, 'b, Bigarray.c_layout) t ->
int array -> ('a, 'b, Bigarray.c_layout) t
Extract a sub-array of lower dimension from the given big array by fixing one or several of the first (left-most) coordinates. Genarray.slice_left a [|i1; ... ; iM|] returns the 'slice' of a obtained by setting the first M coordinates to i1, ..., iM. If a has N dimensions, the slice has dimension N - M, and the element at coordinates [|j1; ...; j(N-M)|] in the slice is identical to the element at coordinates [|i1; ...; iM; j1; ...; j(N-M)|] in the original array a. No copying of elements is involved: the slice and the original array share the same storage space.

Genarray.slice_left applies only to big arrays in C layout. Raise Invalid_argument if M >= N, or if [|i1; ... ; iM|] is outside the bounds of a.

val slice_right : ('a, 'b, Bigarray.fortran_layout) t ->
int array -> ('a, 'b, Bigarray.fortran_layout) t
Extract a sub-array of lower dimension from the given big array by fixing one or several of the last (right-most) coordinates. Genarray.slice_right a [|i1; ... ; iM|] returns the 'slice' of a obtained by setting the last M coordinates to i1, ..., iM. If a has N dimensions, the slice has dimension N - M, and the element at coordinates [|j1; ...; j(N-M)|] in the slice is identical to the element at coordinates [|j1; ...; j(N-M); i1; ...; iM|] in the original array a. No copying of elements is involved: the slice and the original array share the same storage space.

Genarray.slice_right applies only to big arrays in Fortran layout. Raise Invalid_argument if M >= N, or if [|i1; ... ; iM|] is outside the bounds of a.

val blit : ('a, 'b, 'c) t -> ('a, 'b, 'c) t -> unit
Copy all elements of a big array in another big array. Genarray.blit src dst copies all elements of src into dst. Both arrays src and dst must have the same number of dimensions and equal dimensions. Copying a sub-array of src to a sub-array of dst can be achieved by applying Genarray.blit to sub-array or slices of src and dst.
val fill : ('a, 'b, 'c) t -> 'a -> unit
Set all elements of a big array to a given value. Genarray.fill a v stores the value v in all elements of the big array a. Setting only some elements of a to v can be achieved by applying Genarray.fill to a sub-array or a slice of a.
val map_file : Unix.file_descr ->
?pos:int64 ->
('a, 'b) Bigarray.kind ->
'c Bigarray.layout -> bool -> int array -> ('a, 'b, 'c) t
Memory mapping of a file as a big array. Genarray.map_file fd kind layout shared dims returns a big array of kind kind, layout layout, and dimensions as specified in dims. The data contained in this big array are the contents of the file referred to by the file descriptor fd (as opened previously with Unix.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 big array, modifying that big array, and writing it afterwards.

To adjust automatically the dimensions of the big array 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 big array are given, the file size is matched against the size of the big array. If the file is larger than the big array, only the initial portion of the file is mapped to the big array. If the file is smaller than the big array, the file is automatically grown to the size of the big array. 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.

This function raises Sys_error in the case of any errors from the underlying system calls. Invalid_argument or Failure may be raised in cases where argument validation fails.

ocaml-doc-4.05/ocaml.html/libref/Ast_helper.Str.html0000644000175000017500000003151313131636441021267 0ustar mehdimehdi Ast_helper.Str

Module Ast_helper.Str

module Str: sig .. end
Structure items

val mk : ?loc:Ast_helper.loc ->
Parsetree.structure_item_desc -> Parsetree.structure_item
val eval : ?loc:Ast_helper.loc ->
?attrs:Parsetree.attributes ->
Parsetree.expression -> Parsetree.structure_item
val value : ?loc:Ast_helper.loc ->
Asttypes.rec_flag -> Parsetree.value_binding list -> Parsetree.structure_item
val primitive : ?loc:Ast_helper.loc ->
Parsetree.value_description -> Parsetree.structure_item
val type_ : ?loc:Ast_helper.loc ->
Asttypes.rec_flag ->
Parsetree.type_declaration list -> Parsetree.structure_item
val type_extension : ?loc:Ast_helper.loc -> Parsetree.type_extension -> Parsetree.structure_item
val exception_ : ?loc:Ast_helper.loc ->
Parsetree.extension_constructor -> Parsetree.structure_item
val module_ : ?loc:Ast_helper.loc -> Parsetree.module_binding -> Parsetree.structure_item
val rec_module : ?loc:Ast_helper.loc ->
Parsetree.module_binding list -> Parsetree.structure_item
val modtype : ?loc:Ast_helper.loc ->
Parsetree.module_type_declaration -> Parsetree.structure_item
val open_ : ?loc:Ast_helper.loc -> Parsetree.open_description -> Parsetree.structure_item
val class_ : ?loc:Ast_helper.loc ->
Parsetree.class_declaration list -> Parsetree.structure_item
val class_type : ?loc:Ast_helper.loc ->
Parsetree.class_type_declaration list -> Parsetree.structure_item
val include_ : ?loc:Ast_helper.loc ->
Parsetree.include_declaration -> Parsetree.structure_item
val extension : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs -> Parsetree.extension -> Parsetree.structure_item
val attribute : ?loc:Ast_helper.loc -> Parsetree.attribute -> Parsetree.structure_item
val text : Docstrings.text -> Parsetree.structure_item list
ocaml-doc-4.05/ocaml.html/libref/Identifiable.S.Tbl.html0000644000175000017500000002042213131636451021730 0ustar mehdimehdi Identifiable.S.Tbl

Module Identifiable.S.Tbl

module Tbl: sig .. end

include Hashtbl.S
val to_list : 'a Identifiable.S.t -> (Identifiable.S.T.t * 'a) list
val of_list : (Identifiable.S.T.t * 'a) list -> 'a Identifiable.S.t
val to_map : 'a Identifiable.S.t -> 'a Identifiable.S.Map.t
val of_map : 'a Identifiable.S.Map.t -> 'a Identifiable.S.t
val memoize : 'a Identifiable.S.t -> (key -> 'a) -> key -> 'a
val map : 'a Identifiable.S.t -> ('a -> 'b) -> 'b Identifiable.S.t
ocaml-doc-4.05/ocaml.html/libref/index_module_types.html0000644000175000017500000002753013131636452022340 0ustar mehdimehdi Index of module types

Index of module types


H
HashedType [MoreLabels.Hashtbl]
HashedType [Hashtbl]
The input signature of the functor Hashtbl.Make.
HookSig [Misc]

O
OrderedType [Set]
Input signature of the functor Set.Make.
OrderedType [MoreLabels.Set]
OrderedType [MoreLabels.Map]
OrderedType [Map]
Input signature of the functor Map.Make.

S
S [Weak]
The output signature of the functor Weak.Make.
S [Strongly_connected_components]
S [Set]
Output signature of the functor Set.Make.
S [MoreLabels.Set]
S [MoreLabels.Map]
S [MoreLabels.Hashtbl]
S [Map]
Output signature of the functor Map.Make.
S [Identifiable]
S [Hashtbl]
The output signature of the functor Hashtbl.Make.
S [Ephemeron]
The output signature of the functor Ephemeron.K1.Make and Ephemeron.K2.Make.
SeededHashedType [MoreLabels.Hashtbl]
SeededHashedType [Hashtbl]
The input signature of the functor Hashtbl.MakeSeeded.
SeededS [MoreLabels.Hashtbl]
SeededS [Hashtbl]
The output signature of the functor Hashtbl.MakeSeeded.
SeededS [Ephemeron]
The output signature of the functor Ephemeron.K1.MakeSeeded and Ephemeron.K2.MakeSeeded.

T
Thing [Identifiable]
ocaml-doc-4.05/ocaml.html/libref/type_Ast_helper.Md.html0000644000175000017500000001641613131636441022125 0ustar mehdimehdi Ast_helper.Md sig
  val mk :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    ?docs:Docstrings.docs ->
    ?text:Docstrings.text ->
    Ast_helper.str -> Parsetree.module_type -> Parsetree.module_declaration
end
ocaml-doc-4.05/ocaml.html/libref/type_Ast_helper.Mb.html0000644000175000017500000001641213131636441022117 0ustar mehdimehdi Ast_helper.Mb sig
  val mk :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    ?docs:Docstrings.docs ->
    ?text:Docstrings.text ->
    Ast_helper.str -> Parsetree.module_expr -> Parsetree.module_binding
end
ocaml-doc-4.05/ocaml.html/libref/type_BytesLabels.html0000644000175000017500000004306313131636442021710 0ustar mehdimehdi BytesLabels sig
  external length : bytes -> int = "%bytes_length"
  external get : bytes -> int -> char = "%bytes_safe_get"
  external set : bytes -> int -> char -> unit = "%bytes_safe_set"
  external create : int -> bytes = "caml_create_bytes"
  val make : int -> char -> bytes
  val init : int -> f:(int -> char) -> bytes
  val empty : bytes
  val copy : bytes -> bytes
  val of_string : string -> bytes
  val to_string : bytes -> string
  val sub : bytes -> pos:int -> len:int -> bytes
  val sub_string : bytes -> int -> int -> string
  val extend : bytes -> left:int -> right:int -> bytes
  val fill : bytes -> pos:int -> len:int -> char -> unit
  val blit :
    src:bytes -> src_pos:int -> dst:bytes -> dst_pos:int -> len:int -> unit
  val blit_string :
    src:string -> src_pos:int -> dst:bytes -> dst_pos:int -> len:int -> unit
  val concat : sep:bytes -> bytes list -> bytes
  val cat : bytes -> bytes -> bytes
  val iter : f:(char -> unit) -> bytes -> unit
  val iteri : f:(int -> char -> unit) -> bytes -> unit
  val map : f:(char -> char) -> bytes -> bytes
  val mapi : f:(int -> char -> char) -> bytes -> bytes
  val trim : bytes -> bytes
  val escaped : bytes -> bytes
  val index : bytes -> char -> int
  val index_opt : bytes -> char -> int option
  val rindex : bytes -> char -> int
  val rindex_opt : bytes -> char -> int option
  val index_from : bytes -> int -> char -> int
  val index_from_opt : bytes -> int -> char -> int option
  val rindex_from : bytes -> int -> char -> int
  val rindex_from_opt : bytes -> int -> char -> int option
  val contains : bytes -> char -> bool
  val contains_from : bytes -> int -> char -> bool
  val rcontains_from : bytes -> int -> char -> bool
  val uppercase : bytes -> bytes
  val lowercase : bytes -> bytes
  val capitalize : bytes -> bytes
  val uncapitalize : bytes -> bytes
  val uppercase_ascii : bytes -> bytes
  val lowercase_ascii : bytes -> bytes
  val capitalize_ascii : bytes -> bytes
  val uncapitalize_ascii : bytes -> bytes
  type t = bytes
  val compare : BytesLabels.t -> BytesLabels.t -> int
  val equal : BytesLabels.t -> BytesLabels.t -> bool
  external unsafe_get : bytes -> int -> char = "%bytes_unsafe_get"
  external unsafe_set : bytes -> int -> char -> unit = "%bytes_unsafe_set"
  external unsafe_blit :
    src:bytes -> src_pos:int -> dst:bytes -> dst_pos:int -> len:int -> unit
    = "caml_blit_bytes" [@@noalloc]
  external unsafe_fill : bytes -> pos:int -> len:int -> char -> unit
    = "caml_fill_bytes" [@@noalloc]
  val unsafe_to_string : bytes -> string
  val unsafe_of_string : string -> bytes
end
ocaml-doc-4.05/ocaml.html/libref/Ephemeron.GenHashTable.MakeSeeded.html0000644000175000017500000002750513131636443024636 0ustar mehdimehdi Ephemeron.GenHashTable.MakeSeeded

Functor Ephemeron.GenHashTable.MakeSeeded

module MakeSeeded: 
functor (H : sig
type t 
keys
type 'a container 
contains keys and the associated data
val hash : int -> t -> int
same as Hashtbl.SeededHashedType
val equal : 'a container ->
t -> Ephemeron.GenHashTable.equal
equality predicate used to compare a key with the one in a container. Can return EDead if the keys in the container are dead
val create : t ->
'a -> 'a container
create key data creates a container from some initials keys and one data
val get_key : 'a container ->
t option
get_key cont returns the keys if they are all alive
val get_data : 'a container -> 'a option
get_data cont returns the data if it is alive
val set_key_data : 'a container ->
t -> 'a -> unit
set_key_data cont modifies the key and data
val check_key : 'a container -> bool
check_key cont checks if all the keys contained in the data are alive
end-> Ephemeron.SeededS  with type key = H.t
Functor building an implementation of an hash table that use the container for keeping the information given
Parameters:
H : sig type t (** keys *) type 'a container (** contains keys and the associated data *) val hash: int -> t -> int (** same as {!Hashtbl.SeededHashedType} *) val equal: 'a container -> t -> equal (** equality predicate used to compare a key with the one in a container. Can return [EDead] if the keys in the container are dead *) val create: t -> 'a -> 'a container (** [create key data] creates a container from some initials keys and one data *) val get_key: 'a container -> t option (** [get_key cont] returns the keys if they are all alive *) val get_data: 'a container -> 'a option (** [get_data cont] returns the data if it is alive *) val set_key_data: 'a container -> t -> 'a -> unit (** [set_key_data cont] modifies the key and data *) val check_key: 'a container -> bool (** [check_key cont] checks if all the keys contained in the data are alive *) end

include Hashtbl.SeededS
val clean : 'a t -> unit
remove all dead bindings. Done automatically during automatic resizing.
val stats_alive : 'a t -> Hashtbl.statistics
same as Hashtbl.SeededS.stats but only count the alive bindings
ocaml-doc-4.05/ocaml.html/libref/Oo.html0000644000175000017500000001773213131636447017024 0ustar mehdimehdi Oo

Module Oo

module Oo: sig .. end
Operations on objects

val copy : (< .. > as 'a) -> 'a
Oo.copy o returns a copy of object o, that is a fresh object with the same methods and instance variables as o.
val id : < .. > -> int
Return an integer identifying this object, unique for the current execution of the program. The generic comparison and hashing functions are based on this integer. When an object is obtained by unmarshaling, the id is refreshed, and thus different from the original object. As a consequence, the internal invariants of data structures such as hash table or sets containing objects are broken after unmarshaling the data structures.
ocaml-doc-4.05/ocaml.html/libref/type_Misc.Stdlib.Option.html0000644000175000017500000002313413131636445023061 0ustar mehdimehdi Misc.Stdlib.Option sig
  type 'a t = 'a option
  val equal :
    ('-> '-> bool) ->
    'Misc.Stdlib.Option.t -> 'Misc.Stdlib.Option.t -> bool
  val iter : ('-> unit) -> 'Misc.Stdlib.Option.t -> unit
  val map : ('-> 'b) -> 'Misc.Stdlib.Option.t -> 'Misc.Stdlib.Option.t
  val fold : ('-> '-> 'b) -> 'Misc.Stdlib.Option.t -> '-> 'b
  val value_default :
    ('-> 'b) -> default:'-> 'Misc.Stdlib.Option.t -> 'b
end
ocaml-doc-4.05/ocaml.html/libref/type_Str.html0000644000175000017500000003305113131636450020242 0ustar mehdimehdi Str sig
  type regexp
  val regexp : string -> Str.regexp
  val regexp_case_fold : string -> Str.regexp
  val quote : string -> string
  val regexp_string : string -> Str.regexp
  val regexp_string_case_fold : string -> Str.regexp
  val string_match : Str.regexp -> string -> int -> bool
  val search_forward : Str.regexp -> string -> int -> int
  val search_backward : Str.regexp -> string -> int -> int
  val string_partial_match : Str.regexp -> string -> int -> bool
  val matched_string : string -> string
  val match_beginning : unit -> int
  val match_end : unit -> int
  val matched_group : int -> string -> string
  val group_beginning : int -> int
  val group_end : int -> int
  val global_replace : Str.regexp -> string -> string -> string
  val replace_first : Str.regexp -> string -> string -> string
  val global_substitute :
    Str.regexp -> (string -> string) -> string -> string
  val substitute_first : Str.regexp -> (string -> string) -> string -> string
  val replace_matched : string -> string -> string
  val split : Str.regexp -> string -> string list
  val bounded_split : Str.regexp -> string -> int -> string list
  val split_delim : Str.regexp -> string -> string list
  val bounded_split_delim : Str.regexp -> string -> int -> string list
  type split_result = Text of string | Delim of string
  val full_split : Str.regexp -> string -> Str.split_result list
  val bounded_full_split :
    Str.regexp -> string -> int -> Str.split_result list
  val string_before : string -> int -> string
  val string_after : string -> int -> string
  val first_chars : string -> int -> string
  val last_chars : string -> int -> string
end
ocaml-doc-4.05/ocaml.html/libref/ListLabels.html0000644000175000017500000010124413131636445020473 0ustar mehdimehdi ListLabels

Module ListLabels

module ListLabels: sig .. end
List operations.

Some functions are flagged as not tail-recursive. A tail-recursive function uses constant stack space, while a non-tail-recursive function uses stack space proportional to the length of its list argument, which can be a problem with very long lists. When the function takes several list arguments, an approximate formula giving stack usage (in some unspecified constant unit) is shown in parentheses.

The above considerations can usually be ignored if your lists are not longer than about 10000 elements.


val length : 'a list -> int
Return the length (number of elements) of the given list.
val hd : 'a list -> 'a
Return the first element of the given list. Raise Failure "hd" if the list is empty.
val compare_lengths : 'a list -> 'b list -> int
Compare the lengths of two lists. compare_lengths l1 l2 is equivalent to compare (length l1) (length l2), except that the computation stops after itering on the shortest list.
Since 4.05.0
val compare_length_with : 'a list -> len:int -> int
Compare the length of a list to an integer. compare_length_with l n is equivalent to compare (length l) n, except that the computation stops after at most n iterations on the list.
Since 4.05.0
val cons : 'a -> 'a list -> 'a list
cons x xs is x :: xs
Since 4.05.0
val tl : 'a list -> 'a list
Return the given list without its first element. Raise Failure "tl" if the list is empty.
val nth : 'a list -> int -> 'a
Return the n-th element of the given list. The first element (head of the list) is at position 0. Raise Failure "nth" if the list is too short. Raise Invalid_argument "List.nth" if n is negative.
val nth_opt : 'a list -> int -> 'a option
Return the n-th element of the given list. The first element (head of the list) is at position 0. Return None if the list is too short. Raise Invalid_argument "List.nth" if n is negative.
Since 4.05
val rev : 'a list -> 'a list
List reversal.
val append : 'a list -> 'a list -> 'a list
Catenate two lists. Same function as the infix operator @. Not tail-recursive (length of the first argument). The @ operator is not tail-recursive either.
val rev_append : 'a list -> 'a list -> 'a list
List.rev_append l1 l2 reverses l1 and concatenates it to l2. This is equivalent to List.rev l1 @ l2, but rev_append is tail-recursive and more efficient.
val concat : 'a list list -> 'a list
Concatenate a list of lists. The elements of the argument are all concatenated together (in the same order) to give the result. Not tail-recursive (length of the argument + length of the longest sub-list).
val flatten : 'a list list -> 'a list
Same as concat. Not tail-recursive (length of the argument + length of the longest sub-list).

Iterators

val iter : f:('a -> unit) -> 'a list -> unit
List.iter f [a1; ...; an] applies function f in turn to a1; ...; an. It is equivalent to begin f a1; f a2; ...; f an; () end.
val iteri : f:(int -> 'a -> unit) -> 'a list -> unit
Same as List.iter, but the function is applied to the index of the element as first argument (counting from 0), and the element itself as second argument.
Since 4.00.0
val map : f:('a -> 'b) -> 'a list -> 'b list
List.map f [a1; ...; an] applies function f to a1, ..., an, and builds the list [f a1; ...; f an] with the results returned by f. Not tail-recursive.
val mapi : f:(int -> 'a -> 'b) -> 'a list -> 'b list
Same as List.map, but the function is applied to the index of the element as first argument (counting from 0), and the element itself as second argument.
Since 4.00.0
val rev_map : f:('a -> 'b) -> 'a list -> 'b list
List.rev_map f l gives the same result as List.rev (List.map f l), but is tail-recursive and more efficient.
val fold_left : f:('a -> 'b -> 'a) -> init:'a -> 'b list -> 'a
List.fold_left f a [b1; ...; bn] is f (... (f (f a b1) b2) ...) bn.
val fold_right : f:('a -> 'b -> 'b) -> 'a list -> init:'b -> 'b
List.fold_right f [a1; ...; an] b is f a1 (f a2 (... (f an b) ...)). Not tail-recursive.

Iterators on two lists

val iter2 : f:('a -> 'b -> unit) -> 'a list -> 'b list -> unit
List.iter2 f [a1; ...; an] [b1; ...; bn] calls in turn f a1 b1; ...; f an bn. Raise Invalid_argument if the two lists are determined to have different lengths.
val map2 : f:('a -> 'b -> 'c) -> 'a list -> 'b list -> 'c list
List.map2 f [a1; ...; an] [b1; ...; bn] is [f a1 b1; ...; f an bn]. Raise Invalid_argument if the two lists are determined to have different lengths. Not tail-recursive.
val rev_map2 : f:('a -> 'b -> 'c) -> 'a list -> 'b list -> 'c list
List.rev_map2 f l1 l2 gives the same result as List.rev (List.map2 f l1 l2), but is tail-recursive and more efficient.
val fold_left2 : f:('a -> 'b -> 'c -> 'a) -> init:'a -> 'b list -> 'c list -> 'a
List.fold_left2 f a [b1; ...; bn] [c1; ...; cn] is f (... (f (f a b1 c1) b2 c2) ...) bn cn. Raise Invalid_argument if the two lists are determined to have different lengths.
val fold_right2 : f:('a -> 'b -> 'c -> 'c) -> 'a list -> 'b list -> init:'c -> 'c
List.fold_right2 f [a1; ...; an] [b1; ...; bn] c is f a1 b1 (f a2 b2 (... (f an bn c) ...)). Raise Invalid_argument if the two lists are determined to have different lengths. Not tail-recursive.

List scanning

val for_all : f:('a -> bool) -> 'a list -> bool
for_all p [a1; ...; an] checks if all elements of the list satisfy the predicate p. That is, it returns (p a1) && (p a2) && ... && (p an).
val exists : f:('a -> bool) -> 'a list -> bool
exists p [a1; ...; an] checks if at least one element of the list satisfies the predicate p. That is, it returns (p a1) || (p a2) || ... || (p an).
val for_all2 : f:('a -> 'b -> bool) -> 'a list -> 'b list -> bool
Same as List.for_all, but for a two-argument predicate. Raise Invalid_argument if the two lists are determined to have different lengths.
val exists2 : f:('a -> 'b -> bool) -> 'a list -> 'b list -> bool
Same as List.exists, but for a two-argument predicate. Raise Invalid_argument if the two lists are determined to have different lengths.
val mem : 'a -> set:'a list -> bool
mem a l is true if and only if a is equal to an element of l.
val memq : 'a -> set:'a list -> bool
Same as List.mem, but uses physical equality instead of structural equality to compare list elements.

List searching

val find : f:('a -> bool) -> 'a list -> 'a
find p l returns the first element of the list l that satisfies the predicate p. Raise Not_found if there is no value that satisfies p in the list l.
val find_opt : f:('a -> bool) -> 'a list -> 'a option
find p l returns the first element of the list l that satisfies the predicate p. Returns None if there is no value that satisfies p in the list l.
Since 4.05
val filter : f:('a -> bool) -> 'a list -> 'a list
filter p l returns all the elements of the list l that satisfy the predicate p. The order of the elements in the input list is preserved.
val find_all : f:('a -> bool) -> 'a list -> 'a list
find_all is another name for List.filter.
val partition : f:('a -> bool) -> 'a list -> 'a list * 'a list
partition p l returns a pair of lists (l1, l2), where l1 is the list of all the elements of l that satisfy the predicate p, and l2 is the list of all the elements of l that do not satisfy p. The order of the elements in the input list is preserved.

Association lists

val assoc : 'a -> ('a * 'b) list -> 'b
assoc a l returns the value associated with key a in the list of pairs l. That is, assoc a [ ...; (a,b); ...] = b if (a,b) is the leftmost binding of a in list l. Raise Not_found if there is no value associated with a in the list l.
val assoc_opt : 'a -> ('a * 'b) list -> 'b option
assoc_opt a l returns the value associated with key a in the list of pairs l. That is, assoc a [ ...; (a,b); ...] = b if (a,b) is the leftmost binding of a in list l. Returns None if there is no value associated with a in the list l.
Since 4.05
val assq : 'a -> ('a * 'b) list -> 'b
Same as List.assoc, but uses physical equality instead of structural equality to compare keys.
val assq_opt : 'a -> ('a * 'b) list -> 'b option
Same as List.assoc_opt, but uses physical equality instead of structural equality to compare keys.
Since 4.05.0
val mem_assoc : 'a -> map:('a * 'b) list -> bool
Same as List.assoc, but simply return true if a binding exists, and false if no bindings exist for the given key.
val mem_assq : 'a -> map:('a * 'b) list -> bool
Same as List.mem_assoc, but uses physical equality instead of structural equality to compare keys.
val remove_assoc : 'a -> ('a * 'b) list -> ('a * 'b) list
remove_assoc a l returns the list of pairs l without the first pair with key a, if any. Not tail-recursive.
val remove_assq : 'a -> ('a * 'b) list -> ('a * 'b) list
Same as List.remove_assoc, but uses physical equality instead of structural equality to compare keys. Not tail-recursive.

Lists of pairs

val split : ('a * 'b) list -> 'a list * 'b list
Transform a list of pairs into a pair of lists: split [(a1,b1); ...; (an,bn)] is ([a1; ...; an], [b1; ...; bn]). Not tail-recursive.
val combine : 'a list -> 'b list -> ('a * 'b) list
Transform a pair of lists into a list of pairs: combine [a1; ...; an] [b1; ...; bn] is [(a1,b1); ...; (an,bn)]. Raise Invalid_argument if the two lists have different lengths. Not tail-recursive.

Sorting

val sort : cmp:('a -> 'a -> int) -> 'a list -> 'a list
Sort a list in increasing order according to a comparison function. The comparison function must return 0 if its arguments compare as equal, a positive integer if the first is greater, and a negative integer if the first is smaller (see Array.sort for a complete specification). For example, compare is a suitable comparison function. The resulting list is sorted in increasing order. List.sort is guaranteed to run in constant heap space (in addition to the size of the result list) and logarithmic stack space.

The current implementation uses Merge Sort. It runs in constant heap space and logarithmic stack space.

val stable_sort : cmp:('a -> 'a -> int) -> 'a list -> 'a list
Same as List.sort, but the sorting algorithm is guaranteed to be stable (i.e. elements that compare equal are kept in their original order) .

The current implementation uses Merge Sort. It runs in constant heap space and logarithmic stack space.

val fast_sort : cmp:('a -> 'a -> int) -> 'a list -> 'a list
Same as List.sort or List.stable_sort, whichever is faster on typical input.
val sort_uniq : cmp:('a -> 'a -> int) -> 'a list -> 'a list
Same as List.sort, but also remove duplicates.
Since 4.03.0
val merge : cmp:('a -> 'a -> int) -> 'a list -> 'a list -> 'a list
Merge two lists: Assuming that l1 and l2 are sorted according to the comparison function cmp, merge cmp l1 l2 will return a sorted list containting all the elements of l1 and l2. If several elements compare equal, the elements of l1 will be before the elements of l2. Not tail-recursive (sum of the lengths of the arguments).
ocaml-doc-4.05/ocaml.html/libref/Ast_helper.Typ.html0000644000175000017500000003413313131636441021274 0ustar mehdimehdi Ast_helper.Typ

Module Ast_helper.Typ

module Typ: sig .. end
Type expressions

val mk : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs -> Parsetree.core_type_desc -> Parsetree.core_type
val attr : Parsetree.core_type -> Parsetree.attribute -> Parsetree.core_type
val any : ?loc:Ast_helper.loc -> ?attrs:Ast_helper.attrs -> unit -> Parsetree.core_type
val var : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs -> string -> Parsetree.core_type
val arrow : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Asttypes.arg_label ->
Parsetree.core_type -> Parsetree.core_type -> Parsetree.core_type
val tuple : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs -> Parsetree.core_type list -> Parsetree.core_type
val constr : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Ast_helper.lid -> Parsetree.core_type list -> Parsetree.core_type
val object_ : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
(Ast_helper.str * Parsetree.attributes * Parsetree.core_type) list ->
Asttypes.closed_flag -> Parsetree.core_type
val class_ : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Ast_helper.lid -> Parsetree.core_type list -> Parsetree.core_type
val alias : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Parsetree.core_type -> string -> Parsetree.core_type
val variant : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Parsetree.row_field list ->
Asttypes.closed_flag -> Asttypes.label list option -> Parsetree.core_type
val poly : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Ast_helper.str list -> Parsetree.core_type -> Parsetree.core_type
val package : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
Ast_helper.lid ->
(Ast_helper.lid * Parsetree.core_type) list -> Parsetree.core_type
val extension : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs -> Parsetree.extension -> Parsetree.core_type
val force_poly : Parsetree.core_type -> Parsetree.core_type
val varify_constructors : Ast_helper.str list -> Parsetree.core_type -> Parsetree.core_type
varify_constructors newtypes te is type expression te, of which any of nullary type constructor tc is replaced by type variable of the same name, if tc's name appears in newtypes. Raise Syntaxerr.Variable_in_scope if any type variable inside te appears in newtypes.
Since 4.05
ocaml-doc-4.05/ocaml.html/libref/type_Obj.Ephemeron.html0000644000175000017500000002546113131636447022141 0ustar mehdimehdi Obj.Ephemeron sig
  type obj_t = Obj.t
  type t
  val create : int -> Obj.Ephemeron.t
  val length : Obj.Ephemeron.t -> int
  val get_key : Obj.Ephemeron.t -> int -> Obj.Ephemeron.obj_t option
  val get_key_copy : Obj.Ephemeron.t -> int -> Obj.Ephemeron.obj_t option
  val set_key : Obj.Ephemeron.t -> int -> Obj.Ephemeron.obj_t -> unit
  val unset_key : Obj.Ephemeron.t -> int -> unit
  val check_key : Obj.Ephemeron.t -> int -> bool
  val blit_key :
    Obj.Ephemeron.t -> int -> Obj.Ephemeron.t -> int -> int -> unit
  val get_data : Obj.Ephemeron.t -> Obj.Ephemeron.obj_t option
  val get_data_copy : Obj.Ephemeron.t -> Obj.Ephemeron.obj_t option
  val set_data : Obj.Ephemeron.t -> Obj.Ephemeron.obj_t -> unit
  val unset_data : Obj.Ephemeron.t -> unit
  val check_data : Obj.Ephemeron.t -> bool
  val blit_data : Obj.Ephemeron.t -> Obj.Ephemeron.t -> unit
end
ocaml-doc-4.05/ocaml.html/libref/Unix.LargeFile.html0000644000175000017500000003644413131636451021217 0ustar mehdimehdi Unix.LargeFile

Module Unix.LargeFile

module LargeFile: sig .. end
File operations on large files. This sub-module provides 64-bit variants of the functions Unix.lseek (for positioning a file descriptor), Unix.truncate and Unix.ftruncate (for changing the size of a file), and Unix.stat, Unix.lstat and Unix.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.

val lseek : Unix.file_descr -> int64 -> Unix.seek_command -> int64
See Unix.lseek.
val truncate : string -> int64 -> unit
See Unix.truncate.
val ftruncate : Unix.file_descr -> int64 -> unit
See Unix.ftruncate.
type stats = {
   st_dev : int; (*
Device number
*)
   st_ino : int; (*
Inode number
*)
   st_kind : Unix.file_kind; (*
Kind of the file
*)
   st_perm : Unix.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 minor number
*)
   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 : Unix.file_descr -> stats
ocaml-doc-4.05/ocaml.html/libref/index_attributes.html0000644000175000017500000001475613131636452022023 0ustar mehdimehdi Index of class attributes

Index of class attributes

ocaml-doc-4.05/ocaml.html/libref/Parser.html0000644000175000017500000011045613131636447017700 0ustar mehdimehdi Parser

Module Parser

module Parser: sig .. end

type token = 
| AMPERAMPER
| AMPERSAND
| AND
| AS
| ASSERT
| BACKQUOTE
| BANG
| BAR
| BARBAR
| BARRBRACKET
| BEGIN
| CHAR of char
| CLASS
| COLON
| COLONCOLON
| COLONEQUAL
| COLONGREATER
| COMMA
| CONSTRAINT
| DO
| DONE
| DOT
| DOTDOT
| DOWNTO
| ELSE
| END
| EOF
| EQUAL
| EXCEPTION
| EXTERNAL
| FALSE
| FLOAT of (string * char option)
| FOR
| FUN
| FUNCTION
| FUNCTOR
| GREATER
| GREATERRBRACE
| GREATERRBRACKET
| IF
| IN
| INCLUDE
| INFIXOP0 of string
| INFIXOP1 of string
| INFIXOP2 of string
| INFIXOP3 of string
| INFIXOP4 of string
| INHERIT
| INITIALIZER
| INT of (string * char option)
| LABEL of string
| LAZY
| LBRACE
| LBRACELESS
| LBRACKET
| LBRACKETBAR
| LBRACKETLESS
| LBRACKETGREATER
| LBRACKETPERCENT
| LBRACKETPERCENTPERCENT
| LESS
| LESSMINUS
| LET
| LIDENT of string
| LPAREN
| LBRACKETAT
| LBRACKETATAT
| LBRACKETATATAT
| MATCH
| METHOD
| MINUS
| MINUSDOT
| MINUSGREATER
| MODULE
| MUTABLE
| NEW
| NONREC
| OBJECT
| OF
| OPEN
| OPTLABEL of string
| OR
| PERCENT
| PLUS
| PLUSDOT
| PLUSEQ
| PREFIXOP of string
| PRIVATE
| QUESTION
| QUOTE
| RBRACE
| RBRACKET
| REC
| RPAREN
| SEMI
| SEMISEMI
| HASH
| HASHOP of string
| SIG
| STAR
| STRING of (string * string option)
| STRUCT
| THEN
| TILDE
| TO
| TRUE
| TRY
| TYPE
| UIDENT of string
| UNDERSCORE
| VAL
| VIRTUAL
| WHEN
| WHILE
| WITH
| COMMENT of (string * Location.t)
| DOCSTRING of Docstrings.docstring
| EOL
val implementation : (Lexing.lexbuf -> token) -> Lexing.lexbuf -> Parsetree.structure
val interface : (Lexing.lexbuf -> token) -> Lexing.lexbuf -> Parsetree.signature
val toplevel_phrase : (Lexing.lexbuf -> token) -> Lexing.lexbuf -> Parsetree.toplevel_phrase
val use_file : (Lexing.lexbuf -> token) ->
Lexing.lexbuf -> Parsetree.toplevel_phrase list
val parse_core_type : (Lexing.lexbuf -> token) -> Lexing.lexbuf -> Parsetree.core_type
val parse_expression : (Lexing.lexbuf -> token) -> Lexing.lexbuf -> Parsetree.expression
val parse_pattern : (Lexing.lexbuf -> token) -> Lexing.lexbuf -> Parsetree.pattern
ocaml-doc-4.05/ocaml.html/libref/type_Big_int.html0000644000175000017500000005376213131636441021060 0ustar mehdimehdi Big_int sig
  type big_int
  val zero_big_int : Big_int.big_int
  val unit_big_int : Big_int.big_int
  val minus_big_int : Big_int.big_int -> Big_int.big_int
  val abs_big_int : Big_int.big_int -> Big_int.big_int
  val add_big_int : Big_int.big_int -> Big_int.big_int -> Big_int.big_int
  val succ_big_int : Big_int.big_int -> Big_int.big_int
  val add_int_big_int : int -> Big_int.big_int -> Big_int.big_int
  val sub_big_int : Big_int.big_int -> Big_int.big_int -> Big_int.big_int
  val pred_big_int : Big_int.big_int -> Big_int.big_int
  val mult_big_int : Big_int.big_int -> Big_int.big_int -> Big_int.big_int
  val mult_int_big_int : int -> Big_int.big_int -> Big_int.big_int
  val square_big_int : Big_int.big_int -> Big_int.big_int
  val sqrt_big_int : Big_int.big_int -> Big_int.big_int
  val quomod_big_int :
    Big_int.big_int -> Big_int.big_int -> Big_int.big_int * Big_int.big_int
  val div_big_int : Big_int.big_int -> Big_int.big_int -> Big_int.big_int
  val mod_big_int : Big_int.big_int -> Big_int.big_int -> Big_int.big_int
  val gcd_big_int : Big_int.big_int -> Big_int.big_int -> Big_int.big_int
  val power_int_positive_int : int -> int -> Big_int.big_int
  val power_big_int_positive_int : Big_int.big_int -> int -> Big_int.big_int
  val power_int_positive_big_int : int -> Big_int.big_int -> Big_int.big_int
  val power_big_int_positive_big_int :
    Big_int.big_int -> Big_int.big_int -> Big_int.big_int
  val sign_big_int : Big_int.big_int -> int
  val compare_big_int : Big_int.big_int -> Big_int.big_int -> int
  val eq_big_int : Big_int.big_int -> Big_int.big_int -> bool
  val le_big_int : Big_int.big_int -> Big_int.big_int -> bool
  val ge_big_int : Big_int.big_int -> Big_int.big_int -> bool
  val lt_big_int : Big_int.big_int -> Big_int.big_int -> bool
  val gt_big_int : Big_int.big_int -> Big_int.big_int -> bool
  val max_big_int : Big_int.big_int -> Big_int.big_int -> Big_int.big_int
  val min_big_int : Big_int.big_int -> Big_int.big_int -> Big_int.big_int
  val num_digits_big_int : Big_int.big_int -> int
  val num_bits_big_int : Big_int.big_int -> int
  val string_of_big_int : Big_int.big_int -> string
  val big_int_of_string : string -> Big_int.big_int
  val big_int_of_string_opt : string -> Big_int.big_int option
  val big_int_of_int : int -> Big_int.big_int
  val is_int_big_int : Big_int.big_int -> bool
  val int_of_big_int : Big_int.big_int -> int
  val int_of_big_int_opt : Big_int.big_int -> int option
  val big_int_of_int32 : int32 -> Big_int.big_int
  val big_int_of_nativeint : nativeint -> Big_int.big_int
  val big_int_of_int64 : int64 -> Big_int.big_int
  val int32_of_big_int : Big_int.big_int -> int32
  val int32_of_big_int_opt : Big_int.big_int -> int32 option
  val nativeint_of_big_int : Big_int.big_int -> nativeint
  val nativeint_of_big_int_opt : Big_int.big_int -> nativeint option
  val int64_of_big_int : Big_int.big_int -> int64
  val int64_of_big_int_opt : Big_int.big_int -> int64 option
  val float_of_big_int : Big_int.big_int -> float
  val and_big_int : Big_int.big_int -> Big_int.big_int -> Big_int.big_int
  val or_big_int : Big_int.big_int -> Big_int.big_int -> Big_int.big_int
  val xor_big_int : Big_int.big_int -> Big_int.big_int -> Big_int.big_int
  val shift_left_big_int : Big_int.big_int -> int -> Big_int.big_int
  val shift_right_big_int : Big_int.big_int -> int -> Big_int.big_int
  val shift_right_towards_zero_big_int :
    Big_int.big_int -> int -> Big_int.big_int
  val extract_big_int : Big_int.big_int -> int -> int -> Big_int.big_int
  val nat_of_big_int : Big_int.big_int -> Nat.nat
  val big_int_of_nat : Nat.nat -> Big_int.big_int
  val base_power_big_int : int -> int -> Big_int.big_int -> Big_int.big_int
  val sys_big_int_of_string : string -> int -> int -> Big_int.big_int
  val round_futur_last_digit : bytes -> int -> int -> bool
  val approx_big_int : int -> Big_int.big_int -> string
  val round_big_int_to_float : Big_int.big_int -> bool -> float
end
ocaml-doc-4.05/ocaml.html/libref/type_Builtin_attributes.html0000644000175000017500000002354013131636442023351 0ustar mehdimehdi Builtin_attributes sig
  val check_deprecated : Location.t -> Parsetree.attributes -> string -> unit
  val deprecated_of_attrs : Parsetree.attributes -> string option
  val deprecated_of_sig : Parsetree.signature -> string option
  val deprecated_of_str : Parsetree.structure -> string option
  val check_deprecated_mutable :
    Location.t -> Parsetree.attributes -> string -> unit
  val error_of_extension : Parsetree.extension -> Location.error
  val warning_enter_scope : unit -> unit
  val warning_leave_scope : unit -> unit
  val warning_attribute : Parsetree.attributes -> unit
  val with_warning_attribute : Parsetree.attributes -> (unit -> 'a) -> 'a
  val emit_external_warnings : Ast_iterator.iterator
  val warn_on_literal_pattern : Parsetree.attributes -> bool
  val explicit_arity : Parsetree.attributes -> bool
  val immediate : Parsetree.attributes -> bool
  val has_unboxed : Parsetree.attributes -> bool
  val has_boxed : Parsetree.attributes -> bool
end
ocaml-doc-4.05/ocaml.html/libref/Misc.Stdlib.List.html0000644000175000017500000002526713131636445021474 0ustar mehdimehdi Misc.Stdlib.List

Module Misc.Stdlib.List

module List: sig .. end

type 'a t = 'a list 
val compare : ('a -> 'a -> int) -> 'a t -> 'a t -> int
The lexicographic order supported by the provided order. There is no constraint on the relative lengths of the lists.
val equal : ('a -> 'a -> bool) -> 'a t -> 'a t -> bool
Returns true iff the given lists have the same length and content with respect to the given equality function.
val filter_map : ('a -> 'b option) -> 'a t -> 'b t
filter_map f l applies f to every element of l, filters out the None elements and returns the list of the arguments of the Some elements.
val some_if_all_elements_are_some : 'a option t -> 'a t option
If all elements of the given list are Some _ then Some xs is returned with the xs being the contents of those Somes, with order preserved. Otherwise return None.
val map2_prefix : ('a -> 'b -> 'c) ->
'a t ->
'b t -> 'c t * 'b t
let r1, r2 = map2_prefix f l1 l2 If l1 is of length n and l2 = h2 @ t2 with h2 of length n, r1 is List.map2 f l1 h1 and r2 is t2.
val split_at : int -> 'a t -> 'a t * 'a t
split_at n l returns the pair before, after where before is the n first elements of l and after the remaining ones. If l has less than n elements, raises Invalid_argument.
ocaml-doc-4.05/ocaml.html/libref/type_Hashtbl.SeededS.html0000644000175000017500000003215213131636444022376 0ustar mehdimehdi Hashtbl.SeededS sig
  type key
  type 'a t
  val create : ?random:bool -> int -> 'Hashtbl.SeededS.t
  val clear : 'Hashtbl.SeededS.t -> unit
  val reset : 'Hashtbl.SeededS.t -> unit
  val copy : 'Hashtbl.SeededS.t -> 'Hashtbl.SeededS.t
  val add : 'Hashtbl.SeededS.t -> Hashtbl.SeededS.key -> '-> unit
  val remove : 'Hashtbl.SeededS.t -> Hashtbl.SeededS.key -> unit
  val find : 'Hashtbl.SeededS.t -> Hashtbl.SeededS.key -> 'a
  val find_opt : 'Hashtbl.SeededS.t -> Hashtbl.SeededS.key -> 'a option
  val find_all : 'Hashtbl.SeededS.t -> Hashtbl.SeededS.key -> 'a list
  val replace : 'Hashtbl.SeededS.t -> Hashtbl.SeededS.key -> '-> unit
  val mem : 'Hashtbl.SeededS.t -> Hashtbl.SeededS.key -> bool
  val iter :
    (Hashtbl.SeededS.key -> '-> unit) -> 'Hashtbl.SeededS.t -> unit
  val filter_map_inplace :
    (Hashtbl.SeededS.key -> '-> 'a option) -> 'Hashtbl.SeededS.t -> unit
  val fold :
    (Hashtbl.SeededS.key -> '-> '-> 'b) ->
    'Hashtbl.SeededS.t -> '-> 'b
  val length : 'Hashtbl.SeededS.t -> int
  val stats : 'Hashtbl.SeededS.t -> Hashtbl.statistics
end
ocaml-doc-4.05/ocaml.html/libref/Numbers.html0000644000175000017500000001715213131636447020056 0ustar mehdimehdi Numbers

Module Numbers

module Numbers: sig .. end
Modules about numbers that satisfy Identifiable.S.

module Int: sig .. end
module Float: Identifiable.S  with type t = float
ocaml-doc-4.05/ocaml.html/libref/type_Ephemeron.K2.Make.html0000644000175000017500000002761413131636443022555 0ustar mehdimehdi Ephemeron.K2.Make functor (H1 : Hashtbl.HashedType) (H2 : Hashtbl.HashedType->
  sig
    type key = H1.t * H2.t
    type 'a t
    val create : int -> 'a t
    val clear : 'a t -> unit
    val reset : 'a t -> unit
    val copy : 'a t -> 'a t
    val add : 'a t -> key -> '-> unit
    val remove : 'a t -> key -> unit
    val find : 'a t -> key -> 'a
    val find_opt : 'a t -> key -> 'a option
    val find_all : 'a t -> key -> 'a list
    val replace : 'a t -> key -> '-> unit
    val mem : 'a t -> key -> bool
    val iter : (key -> '-> unit) -> 'a t -> unit
    val filter_map_inplace : (key -> '-> 'a option) -> 'a t -> unit
    val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
    val length : 'a t -> int
    val stats : 'a t -> Hashtbl.statistics
    val clean : 'a t -> unit
    val stats_alive : 'a t -> Hashtbl.statistics
  end
ocaml-doc-4.05/ocaml.html/libref/StdLabels.html0000644000175000017500000002053113131636450020305 0ustar mehdimehdi StdLabels

Module StdLabels

module StdLabels: sig .. end
Standard labeled libraries.

This meta-module provides labelized version of the Array, Bytes, List and String modules.

They only differ by their labels. Detailed interfaces can be found in arrayLabels.mli, bytesLabels.mli, listLabels.mli and stringLabels.mli.


module Array: ArrayLabels
module Bytes: BytesLabels
module List: ListLabels
module String: StringLabels
ocaml-doc-4.05/ocaml.html/libref/type_Misc.Color.html0000644000175000017500000002327413131636446021455 0ustar mehdimehdi Misc.Color sig
  type color = Black | Red | Green | Yellow | Blue | Magenta | Cyan | White
  type style = FG of Misc.Color.color | BG of Misc.Color.color | Bold | Reset
  val ansi_of_style_l : Misc.Color.style list -> string
  type styles = {
    error : Misc.Color.style list;
    warning : Misc.Color.style list;
    loc : Misc.Color.style list;
  }
  val default_styles : Misc.Color.styles
  val get_styles : unit -> Misc.Color.styles
  val set_styles : Misc.Color.styles -> unit
  type setting = Auto | Always | Never
  val setup : Misc.Color.setting option -> unit
  val set_color_tag_handling : Format.formatter -> unit
end
ocaml-doc-4.05/ocaml.html/libref/type_MoreLabels.html0000644000175000017500000035703213131636447021535 0ustar mehdimehdi MoreLabels sig
  module Hashtbl :
    sig
      type ('a, 'b) t = ('a, 'b) Hashtbl.t
      val create : ?random:bool -> int -> ('a, 'b) MoreLabels.Hashtbl.t
      val clear : ('a, 'b) MoreLabels.Hashtbl.t -> unit
      val reset : ('a, 'b) MoreLabels.Hashtbl.t -> unit
      val copy :
        ('a, 'b) MoreLabels.Hashtbl.t -> ('a, 'b) MoreLabels.Hashtbl.t
      val add : ('a, 'b) MoreLabels.Hashtbl.t -> key:'-> data:'-> unit
      val find : ('a, 'b) MoreLabels.Hashtbl.t -> '-> 'b
      val find_opt : ('a, 'b) MoreLabels.Hashtbl.t -> '-> 'b option
      val find_all : ('a, 'b) MoreLabels.Hashtbl.t -> '-> 'b list
      val mem : ('a, 'b) MoreLabels.Hashtbl.t -> '-> bool
      val remove : ('a, 'b) MoreLabels.Hashtbl.t -> '-> unit
      val replace :
        ('a, 'b) MoreLabels.Hashtbl.t -> key:'-> data:'-> unit
      val iter :
        f:(key:'-> data:'-> unit) ->
        ('a, 'b) MoreLabels.Hashtbl.t -> unit
      val filter_map_inplace :
        f:(key:'-> data:'-> 'b option) ->
        ('a, 'b) MoreLabels.Hashtbl.t -> unit
      val fold :
        f:(key:'-> data:'-> '-> 'c) ->
        ('a, 'b) MoreLabels.Hashtbl.t -> init:'-> 'c
      val length : ('a, 'b) MoreLabels.Hashtbl.t -> int
      val randomize : unit -> unit
      val is_randomized : unit -> bool
      type statistics = Hashtbl.statistics
      val stats :
        ('a, 'b) MoreLabels.Hashtbl.t -> MoreLabels.Hashtbl.statistics
      module type HashedType = Hashtbl.HashedType
      module type SeededHashedType = Hashtbl.SeededHashedType
      module type S =
        sig
          type key
          and 'a t
          val create : int -> 'MoreLabels.Hashtbl.S.t
          val clear : 'MoreLabels.Hashtbl.S.t -> unit
          val reset : 'MoreLabels.Hashtbl.S.t -> unit
          val copy : 'MoreLabels.Hashtbl.S.t -> 'MoreLabels.Hashtbl.S.t
          val add :
            'MoreLabels.Hashtbl.S.t ->
            key:MoreLabels.Hashtbl.S.key -> data:'-> unit
          val remove :
            'MoreLabels.Hashtbl.S.t -> MoreLabels.Hashtbl.S.key -> unit
          val find :
            'MoreLabels.Hashtbl.S.t -> MoreLabels.Hashtbl.S.key -> 'a
          val find_opt :
            'MoreLabels.Hashtbl.S.t ->
            MoreLabels.Hashtbl.S.key -> 'a option
          val find_all :
            'MoreLabels.Hashtbl.S.t -> MoreLabels.Hashtbl.S.key -> 'a list
          val replace :
            'MoreLabels.Hashtbl.S.t ->
            key:MoreLabels.Hashtbl.S.key -> data:'-> unit
          val mem :
            'MoreLabels.Hashtbl.S.t -> MoreLabels.Hashtbl.S.key -> bool
          val iter :
            f:(key:MoreLabels.Hashtbl.S.key -> data:'-> unit) ->
            'MoreLabels.Hashtbl.S.t -> unit
          val filter_map_inplace :
            f:(key:MoreLabels.Hashtbl.S.key -> data:'-> 'a option) ->
            'MoreLabels.Hashtbl.S.t -> unit
          val fold :
            f:(key:MoreLabels.Hashtbl.S.key -> data:'-> '-> 'b) ->
            'MoreLabels.Hashtbl.S.t -> init:'-> 'b
          val length : 'MoreLabels.Hashtbl.S.t -> int
          val stats :
            'MoreLabels.Hashtbl.S.t -> MoreLabels.Hashtbl.statistics
        end
      module type SeededS =
        sig
          type key
          and 'a t
          val create : ?random:bool -> int -> 'MoreLabels.Hashtbl.SeededS.t
          val clear : 'MoreLabels.Hashtbl.SeededS.t -> unit
          val reset : 'MoreLabels.Hashtbl.SeededS.t -> unit
          val copy :
            'MoreLabels.Hashtbl.SeededS.t ->
            'MoreLabels.Hashtbl.SeededS.t
          val add :
            'MoreLabels.Hashtbl.SeededS.t ->
            key:MoreLabels.Hashtbl.SeededS.key -> data:'-> unit
          val remove :
            'MoreLabels.Hashtbl.SeededS.t ->
            MoreLabels.Hashtbl.SeededS.key -> unit
          val find :
            'MoreLabels.Hashtbl.SeededS.t ->
            MoreLabels.Hashtbl.SeededS.key -> 'a
          val find_opt :
            'MoreLabels.Hashtbl.SeededS.t ->
            MoreLabels.Hashtbl.SeededS.key -> 'a option
          val find_all :
            'MoreLabels.Hashtbl.SeededS.t ->
            MoreLabels.Hashtbl.SeededS.key -> 'a list
          val replace :
            'MoreLabels.Hashtbl.SeededS.t ->
            key:MoreLabels.Hashtbl.SeededS.key -> data:'-> unit
          val mem :
            'MoreLabels.Hashtbl.SeededS.t ->
            MoreLabels.Hashtbl.SeededS.key -> bool
          val iter :
            f:(key:MoreLabels.Hashtbl.SeededS.key -> data:'-> unit) ->
            'MoreLabels.Hashtbl.SeededS.t -> unit
          val filter_map_inplace :
            f:(key:MoreLabels.Hashtbl.SeededS.key -> data:'-> 'a option) ->
            'MoreLabels.Hashtbl.SeededS.t -> unit
          val fold :
            f:(key:MoreLabels.Hashtbl.SeededS.key -> data:'-> '-> 'b) ->
            'MoreLabels.Hashtbl.SeededS.t -> init:'-> 'b
          val length : 'MoreLabels.Hashtbl.SeededS.t -> int
          val stats :
            'MoreLabels.Hashtbl.SeededS.t -> MoreLabels.Hashtbl.statistics
        end
      module Make :
        functor (H : HashedType->
          sig
            type key = H.t
            and 'a t
            val create : int -> 'a t
            val clear : 'a t -> unit
            val reset : 'a t -> unit
            val copy : 'a t -> 'a t
            val add : 'a t -> key:key -> data:'-> unit
            val remove : 'a t -> key -> unit
            val find : 'a t -> key -> 'a
            val find_opt : 'a t -> key -> 'a option
            val find_all : 'a t -> key -> 'a list
            val replace : 'a t -> key:key -> data:'-> unit
            val mem : 'a t -> key -> bool
            val iter : f:(key:key -> data:'-> unit) -> 'a t -> unit
            val filter_map_inplace :
              f:(key:key -> data:'-> 'a option) -> 'a t -> unit
            val fold :
              f:(key:key -> data:'-> '-> 'b) -> 'a t -> init:'-> 'b
            val length : 'a t -> int
            val stats : 'a t -> statistics
          end
      module MakeSeeded :
        functor (H : SeededHashedType->
          sig
            type key = H.t
            and 'a t
            val create : ?random:bool -> int -> 'a t
            val clear : 'a t -> unit
            val reset : 'a t -> unit
            val copy : 'a t -> 'a t
            val add : 'a t -> key:key -> data:'-> unit
            val remove : 'a t -> key -> unit
            val find : 'a t -> key -> 'a
            val find_opt : 'a t -> key -> 'a option
            val find_all : 'a t -> key -> 'a list
            val replace : 'a t -> key:key -> data:'-> unit
            val mem : 'a t -> key -> bool
            val iter : f:(key:key -> data:'-> unit) -> 'a t -> unit
            val filter_map_inplace :
              f:(key:key -> data:'-> 'a option) -> 'a t -> unit
            val fold :
              f:(key:key -> data:'-> '-> 'b) -> 'a t -> init:'-> 'b
            val length : 'a t -> int
            val stats : 'a t -> statistics
          end
      val hash : '-> int
      val seeded_hash : int -> '-> int
      val hash_param : int -> int -> '-> int
      val seeded_hash_param : int -> int -> int -> '-> int
    end
  module Map :
    sig
      module type OrderedType = Map.OrderedType
      module type S =
        sig
          type key
          and +'a t
          val empty : 'MoreLabels.Map.S.t
          val is_empty : 'MoreLabels.Map.S.t -> bool
          val mem : MoreLabels.Map.S.key -> 'MoreLabels.Map.S.t -> bool
          val add :
            key:MoreLabels.Map.S.key ->
            data:'-> 'MoreLabels.Map.S.t -> 'MoreLabels.Map.S.t
          val singleton : MoreLabels.Map.S.key -> '-> 'MoreLabels.Map.S.t
          val remove :
            MoreLabels.Map.S.key ->
            'MoreLabels.Map.S.t -> 'MoreLabels.Map.S.t
          val merge :
            f:(MoreLabels.Map.S.key -> 'a option -> 'b option -> 'c option) ->
            'MoreLabels.Map.S.t ->
            'MoreLabels.Map.S.t -> 'MoreLabels.Map.S.t
          val union :
            f:(MoreLabels.Map.S.key -> '-> '-> 'a option) ->
            'MoreLabels.Map.S.t ->
            'MoreLabels.Map.S.t -> 'MoreLabels.Map.S.t
          val compare :
            cmp:('-> '-> int) ->
            'MoreLabels.Map.S.t -> 'MoreLabels.Map.S.t -> int
          val equal :
            cmp:('-> '-> bool) ->
            'MoreLabels.Map.S.t -> 'MoreLabels.Map.S.t -> bool
          val iter :
            f:(key:MoreLabels.Map.S.key -> data:'-> unit) ->
            'MoreLabels.Map.S.t -> unit
          val fold :
            f:(key:MoreLabels.Map.S.key -> data:'-> '-> 'b) ->
            'MoreLabels.Map.S.t -> init:'-> 'b
          val for_all :
            f:(MoreLabels.Map.S.key -> '-> bool) ->
            'MoreLabels.Map.S.t -> bool
          val exists :
            f:(MoreLabels.Map.S.key -> '-> bool) ->
            'MoreLabels.Map.S.t -> bool
          val filter :
            f:(MoreLabels.Map.S.key -> '-> bool) ->
            'MoreLabels.Map.S.t -> 'MoreLabels.Map.S.t
          val partition :
            f:(MoreLabels.Map.S.key -> '-> bool) ->
            'MoreLabels.Map.S.t ->
            'MoreLabels.Map.S.t * 'MoreLabels.Map.S.t
          val cardinal : 'MoreLabels.Map.S.t -> int
          val bindings :
            'MoreLabels.Map.S.t -> (MoreLabels.Map.S.key * 'a) list
          val min_binding :
            'MoreLabels.Map.S.t -> MoreLabels.Map.S.key * 'a
          val min_binding_opt :
            'MoreLabels.Map.S.t -> (MoreLabels.Map.S.key * 'a) option
          val max_binding :
            'MoreLabels.Map.S.t -> MoreLabels.Map.S.key * 'a
          val max_binding_opt :
            'MoreLabels.Map.S.t -> (MoreLabels.Map.S.key * 'a) option
          val choose : 'MoreLabels.Map.S.t -> MoreLabels.Map.S.key * 'a
          val choose_opt :
            'MoreLabels.Map.S.t -> (MoreLabels.Map.S.key * 'a) option
          val split :
            MoreLabels.Map.S.key ->
            'MoreLabels.Map.S.t ->
            'MoreLabels.Map.S.t * 'a option * 'MoreLabels.Map.S.t
          val find : MoreLabels.Map.S.key -> 'MoreLabels.Map.S.t -> 'a
          val find_opt :
            MoreLabels.Map.S.key -> 'MoreLabels.Map.S.t -> 'a option
          val find_first :
            f:(MoreLabels.Map.S.key -> bool) ->
            'MoreLabels.Map.S.t -> MoreLabels.Map.S.key * 'a
          val find_first_opt :
            f:(MoreLabels.Map.S.key -> bool) ->
            'MoreLabels.Map.S.t -> (MoreLabels.Map.S.key * 'a) option
          val find_last :
            f:(MoreLabels.Map.S.key -> bool) ->
            'MoreLabels.Map.S.t -> MoreLabels.Map.S.key * 'a
          val find_last_opt :
            f:(MoreLabels.Map.S.key -> bool) ->
            'MoreLabels.Map.S.t -> (MoreLabels.Map.S.key * 'a) option
          val map :
            f:('-> 'b) -> 'MoreLabels.Map.S.t -> 'MoreLabels.Map.S.t
          val mapi :
            f:(MoreLabels.Map.S.key -> '-> 'b) ->
            'MoreLabels.Map.S.t -> 'MoreLabels.Map.S.t
        end
      module Make :
        functor (Ord : OrderedType->
          sig
            type key = Ord.t
            and +'a t
            val empty : 'a t
            val is_empty : 'a t -> bool
            val mem : key -> 'a t -> bool
            val add : key:key -> data:'-> 'a t -> 'a t
            val singleton : key -> '-> 'a t
            val remove : key -> 'a t -> 'a t
            val merge :
              f:(key -> 'a option -> 'b option -> 'c option) ->
              'a t -> 'b t -> 'c t
            val union :
              f:(key -> '-> '-> 'a option) -> 'a t -> 'a t -> 'a t
            val compare : cmp:('-> '-> int) -> 'a t -> 'a t -> int
            val equal : cmp:('-> '-> bool) -> 'a t -> 'a t -> bool
            val iter : f:(key:key -> data:'-> unit) -> 'a t -> unit
            val fold :
              f:(key:key -> data:'-> '-> 'b) -> 'a t -> init:'-> 'b
            val for_all : f:(key -> '-> bool) -> 'a t -> bool
            val exists : f:(key -> '-> bool) -> 'a t -> bool
            val filter : f:(key -> '-> bool) -> 'a t -> 'a t
            val partition : f:(key -> '-> bool) -> 'a t -> 'a t * 'a t
            val cardinal : 'a t -> int
            val bindings : 'a t -> (key * 'a) list
            val min_binding : 'a t -> key * 'a
            val min_binding_opt : 'a t -> (key * 'a) option
            val max_binding : 'a t -> key * 'a
            val max_binding_opt : 'a t -> (key * 'a) option
            val choose : 'a t -> key * 'a
            val choose_opt : 'a t -> (key * 'a) option
            val split : key -> 'a t -> 'a t * 'a option * 'a t
            val find : key -> 'a t -> 'a
            val find_opt : key -> 'a t -> 'a option
            val find_first : f:(key -> bool) -> 'a t -> key * 'a
            val find_first_opt : f:(key -> bool) -> 'a t -> (key * 'a) option
            val find_last : f:(key -> bool) -> 'a t -> key * 'a
            val find_last_opt : f:(key -> bool) -> 'a t -> (key * 'a) option
            val map : f:('-> 'b) -> 'a t -> 'b t
            val mapi : f:(key -> '-> 'b) -> 'a t -> 'b t
          end
    end
  module Set :
    sig
      module type OrderedType = Set.OrderedType
      module type S =
        sig
          type elt
          and t
          val empty : MoreLabels.Set.S.t
          val is_empty : MoreLabels.Set.S.t -> bool
          val mem : MoreLabels.Set.S.elt -> MoreLabels.Set.S.t -> bool
          val add :
            MoreLabels.Set.S.elt -> MoreLabels.Set.S.t -> MoreLabels.Set.S.t
          val singleton : MoreLabels.Set.S.elt -> MoreLabels.Set.S.t
          val remove :
            MoreLabels.Set.S.elt -> MoreLabels.Set.S.t -> MoreLabels.Set.S.t
          val union :
            MoreLabels.Set.S.t -> MoreLabels.Set.S.t -> MoreLabels.Set.S.t
          val inter :
            MoreLabels.Set.S.t -> MoreLabels.Set.S.t -> MoreLabels.Set.S.t
          val diff :
            MoreLabels.Set.S.t -> MoreLabels.Set.S.t -> MoreLabels.Set.S.t
          val compare : MoreLabels.Set.S.t -> MoreLabels.Set.S.t -> int
          val equal : MoreLabels.Set.S.t -> MoreLabels.Set.S.t -> bool
          val subset : MoreLabels.Set.S.t -> MoreLabels.Set.S.t -> bool
          val iter :
            f:(MoreLabels.Set.S.elt -> unit) -> MoreLabels.Set.S.t -> unit
          val map :
            f:(MoreLabels.Set.S.elt -> MoreLabels.Set.S.elt) ->
            MoreLabels.Set.S.t -> MoreLabels.Set.S.t
          val fold :
            f:(MoreLabels.Set.S.elt -> '-> 'a) ->
            MoreLabels.Set.S.t -> init:'-> 'a
          val for_all :
            f:(MoreLabels.Set.S.elt -> bool) -> MoreLabels.Set.S.t -> bool
          val exists :
            f:(MoreLabels.Set.S.elt -> bool) -> MoreLabels.Set.S.t -> bool
          val filter :
            f:(MoreLabels.Set.S.elt -> bool) ->
            MoreLabels.Set.S.t -> MoreLabels.Set.S.t
          val partition :
            f:(MoreLabels.Set.S.elt -> bool) ->
            MoreLabels.Set.S.t -> MoreLabels.Set.S.t * MoreLabels.Set.S.t
          val cardinal : MoreLabels.Set.S.t -> int
          val elements : MoreLabels.Set.S.t -> MoreLabels.Set.S.elt list
          val min_elt : MoreLabels.Set.S.t -> MoreLabels.Set.S.elt
          val min_elt_opt : MoreLabels.Set.S.t -> MoreLabels.Set.S.elt option
          val max_elt : MoreLabels.Set.S.t -> MoreLabels.Set.S.elt
          val max_elt_opt : MoreLabels.Set.S.t -> MoreLabels.Set.S.elt option
          val choose : MoreLabels.Set.S.t -> MoreLabels.Set.S.elt
          val choose_opt : MoreLabels.Set.S.t -> MoreLabels.Set.S.elt option
          val split :
            MoreLabels.Set.S.elt ->
            MoreLabels.Set.S.t ->
            MoreLabels.Set.S.t * bool * MoreLabels.Set.S.t
          val find :
            MoreLabels.Set.S.elt ->
            MoreLabels.Set.S.t -> MoreLabels.Set.S.elt
          val find_opt :
            MoreLabels.Set.S.elt ->
            MoreLabels.Set.S.t -> MoreLabels.Set.S.elt option
          val find_first :
            f:(MoreLabels.Set.S.elt -> bool) ->
            MoreLabels.Set.S.t -> MoreLabels.Set.S.elt
          val find_first_opt :
            f:(MoreLabels.Set.S.elt -> bool) ->
            MoreLabels.Set.S.t -> MoreLabels.Set.S.elt option
          val find_last :
            f:(MoreLabels.Set.S.elt -> bool) ->
            MoreLabels.Set.S.t -> MoreLabels.Set.S.elt
          val find_last_opt :
            f:(MoreLabels.Set.S.elt -> bool) ->
            MoreLabels.Set.S.t -> MoreLabels.Set.S.elt option
          val of_list : MoreLabels.Set.S.elt list -> MoreLabels.Set.S.t
        end
      module Make :
        functor (Ord : OrderedType->
          sig
            type elt = Ord.t
            and t
            val empty : t
            val is_empty : t -> bool
            val mem : elt -> t -> bool
            val add : elt -> t -> t
            val singleton : elt -> t
            val remove : elt -> t -> t
            val union : t -> t -> t
            val inter : t -> t -> t
            val diff : t -> t -> t
            val compare : t -> t -> int
            val equal : t -> t -> bool
            val subset : t -> t -> bool
            val iter : f:(elt -> unit) -> t -> unit
            val map : f:(elt -> elt) -> t -> t
            val fold : f:(elt -> '-> 'a) -> t -> init:'-> 'a
            val for_all : f:(elt -> bool) -> t -> bool
            val exists : f:(elt -> bool) -> t -> bool
            val filter : f:(elt -> bool) -> t -> t
            val partition : f:(elt -> bool) -> t -> t * t
            val cardinal : t -> int
            val elements : t -> elt list
            val min_elt : t -> elt
            val min_elt_opt : t -> elt option
            val max_elt : t -> elt
            val max_elt_opt : t -> elt option
            val choose : t -> elt
            val choose_opt : t -> elt option
            val split : elt -> t -> t * bool * t
            val find : elt -> t -> elt
            val find_opt : elt -> t -> elt option
            val find_first : f:(elt -> bool) -> t -> elt
            val find_first_opt : f:(elt -> bool) -> t -> elt option
            val find_last : f:(elt -> bool) -> t -> elt
            val find_last_opt : f:(elt -> bool) -> t -> elt option
            val of_list : elt list -> t
          end
    end
end
ocaml-doc-4.05/ocaml.html/libref/type_Ast_helper.Val.html0000644000175000017500000001635413131636441022310 0ustar mehdimehdi Ast_helper.Val sig
  val mk :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    ?docs:Docstrings.docs ->
    ?prim:string list ->
    Ast_helper.str -> Parsetree.core_type -> Parsetree.value_description
end
ocaml-doc-4.05/ocaml.html/libref/type_MoreLabels.Hashtbl.SeededHashedType.html0000644000175000017500000001473213131636446026264 0ustar mehdimehdi MoreLabels.Hashtbl.SeededHashedType Hashtbl.SeededHashedTypeocaml-doc-4.05/ocaml.html/libref/type_Sort.html0000644000175000017500000001740113131636450020422 0ustar mehdimehdi Sort sig
  val list : ('-> '-> bool) -> 'a list -> 'a list
  val array : ('-> '-> bool) -> 'a array -> unit
  val merge : ('-> '-> bool) -> 'a list -> 'a list -> 'a list
end
ocaml-doc-4.05/ocaml.html/libref/type_Marshal.html0000644000175000017500000002262013131636445021065 0ustar mehdimehdi Marshal sig
  type extern_flags = No_sharing | Closures | Compat_32
  val to_channel :
    Pervasives.out_channel -> '-> Marshal.extern_flags list -> unit
  external to_bytes : '-> Marshal.extern_flags list -> bytes
    = "caml_output_value_to_string"
  external to_string : '-> Marshal.extern_flags list -> string
    = "caml_output_value_to_string"
  val to_buffer :
    bytes -> int -> int -> '-> Marshal.extern_flags list -> int
  val from_channel : Pervasives.in_channel -> 'a
  val from_bytes : bytes -> int -> 'a
  val from_string : string -> int -> 'a
  val header_size : int
  val data_size : bytes -> int -> int
  val total_size : bytes -> int -> int
end
ocaml-doc-4.05/ocaml.html/libref/type_Strongly_connected_components.html0000644000175000017500000002431313131636451025604 0ustar mehdimehdi Strongly_connected_components sig
  module type S =
    sig
      module Id : Identifiable.S
      type directed_graph = Id.Set.t Id.Map.t
      type component = Has_loop of Id.t list | No_loop of Id.t
      val connected_components_sorted_from_roots_to_leaf :
        Strongly_connected_components.S.directed_graph ->
        Strongly_connected_components.S.component array
      val component_graph :
        Strongly_connected_components.S.directed_graph ->
        (Strongly_connected_components.S.component * int list) array
    end
  module Make :
    functor (Id : Identifiable.S->
      sig
        type directed_graph = Id.Set.t Id.Map.t
        type component = Has_loop of Id.t list | No_loop of Id.t
        val connected_components_sorted_from_roots_to_leaf :
          directed_graph -> component array
        val component_graph : directed_graph -> (component * int list) array
      end
end
ocaml-doc-4.05/ocaml.html/libref/type_Ephemeron.GenHashTable.html0000644000175000017500000004314013131636443023702 0ustar mehdimehdi Ephemeron.GenHashTable sig
  type equal = ETrue | EFalse | EDead
  module MakeSeeded :
    functor
      (H : sig
             type t
             type 'a container
             val hash : int -> Ephemeron.GenHashTable.MakeSeeded.t -> int
             val equal :
               'Ephemeron.GenHashTable.MakeSeeded.container ->
               Ephemeron.GenHashTable.MakeSeeded.t ->
               Ephemeron.GenHashTable.equal
             val create :
               Ephemeron.GenHashTable.MakeSeeded.t ->
               '-> 'Ephemeron.GenHashTable.MakeSeeded.container
             val get_key :
               'Ephemeron.GenHashTable.MakeSeeded.container ->
               Ephemeron.GenHashTable.MakeSeeded.t option
             val get_data :
               'Ephemeron.GenHashTable.MakeSeeded.container -> 'a option
             val set_key_data :
               'Ephemeron.GenHashTable.MakeSeeded.container ->
               Ephemeron.GenHashTable.MakeSeeded.t -> '-> unit
             val check_key :
               'Ephemeron.GenHashTable.MakeSeeded.container -> bool
           end->
      sig
        type key = H.t
        type 'a t
        val create : ?random:bool -> int -> 'a t
        val clear : 'a t -> unit
        val reset : 'a t -> unit
        val copy : 'a t -> 'a t
        val add : 'a t -> key -> '-> unit
        val remove : 'a t -> key -> unit
        val find : 'a t -> key -> 'a
        val find_opt : 'a t -> key -> 'a option
        val find_all : 'a t -> key -> 'a list
        val replace : 'a t -> key -> '-> unit
        val mem : 'a t -> key -> bool
        val iter : (key -> '-> unit) -> 'a t -> unit
        val filter_map_inplace : (key -> '-> 'a option) -> 'a t -> unit
        val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
        val length : 'a t -> int
        val stats : 'a t -> Hashtbl.statistics
        val clean : 'a t -> unit
        val stats_alive : 'a t -> Hashtbl.statistics
      end
end
ocaml-doc-4.05/ocaml.html/libref/Ast_helper.Opn.html0000644000175000017500000001721613131636441021257 0ustar mehdimehdi Ast_helper.Opn

Module Ast_helper.Opn

module Opn: sig .. end
Opens

val mk : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
?docs:Docstrings.docs ->
?override:Asttypes.override_flag ->
Ast_helper.lid -> Parsetree.open_description
ocaml-doc-4.05/ocaml.html/libref/type_Map.Make.html0000644000175000017500000004400213131636445021065 0ustar mehdimehdi Map.Make functor (Ord : OrderedType->
  sig
    type key = Ord.t
    type +'a t
    val empty : 'a t
    val is_empty : 'a t -> bool
    val mem : key -> 'a t -> bool
    val add : key -> '-> 'a t -> 'a t
    val singleton : key -> '-> 'a t
    val remove : key -> 'a t -> 'a t
    val merge :
      (key -> 'a option -> 'b option -> 'c option) -> 'a t -> 'b t -> 'c t
    val union : (key -> '-> '-> 'a option) -> 'a t -> 'a t -> 'a t
    val compare : ('-> '-> int) -> 'a t -> 'a t -> int
    val equal : ('-> '-> bool) -> 'a t -> 'a t -> bool
    val iter : (key -> '-> unit) -> 'a t -> unit
    val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
    val for_all : (key -> '-> bool) -> 'a t -> bool
    val exists : (key -> '-> bool) -> 'a t -> bool
    val filter : (key -> '-> bool) -> 'a t -> 'a t
    val partition : (key -> '-> bool) -> 'a t -> 'a t * 'a t
    val cardinal : 'a t -> int
    val bindings : 'a t -> (key * 'a) list
    val min_binding : 'a t -> key * 'a
    val min_binding_opt : 'a t -> (key * 'a) option
    val max_binding : 'a t -> key * 'a
    val max_binding_opt : 'a t -> (key * 'a) option
    val choose : 'a t -> key * 'a
    val choose_opt : 'a t -> (key * 'a) option
    val split : key -> 'a t -> 'a t * 'a option * 'a t
    val find : key -> 'a t -> 'a
    val find_opt : key -> 'a t -> 'a option
    val find_first : (key -> bool) -> 'a t -> key * 'a
    val find_first_opt : (key -> bool) -> 'a t -> (key * 'a) option
    val find_last : (key -> bool) -> 'a t -> key * 'a
    val find_last_opt : (key -> bool) -> 'a t -> (key * 'a) option
    val map : ('-> 'b) -> 'a t -> 'b t
    val mapi : (key -> '-> 'b) -> 'a t -> 'b t
  end
ocaml-doc-4.05/ocaml.html/libref/Identifiable.S.Set.html0000644000175000017500000002033213131636451021742 0ustar mehdimehdi Identifiable.S.Set

Module Identifiable.S.Set

module Set: sig .. end

include Set.S
val output : out_channel -> Identifiable.S.t -> unit
val print : Format.formatter -> Identifiable.S.t -> unit
val to_string : Identifiable.S.t -> string
val of_list : elt list -> Identifiable.S.t
val map : (elt -> elt) -> Identifiable.S.t -> Identifiable.S.t
ocaml-doc-4.05/ocaml.html/libref/Ast_helper.Const.html0000644000175000017500000002071313131636441021605 0ustar mehdimehdi Ast_helper.Const

Module Ast_helper.Const

module Const: sig .. end

val char : char -> Parsetree.constant
val string : ?quotation_delimiter:string -> string -> Parsetree.constant
val integer : ?suffix:char -> string -> Parsetree.constant
val int : ?suffix:char -> int -> Parsetree.constant
val int32 : ?suffix:char -> int32 -> Parsetree.constant
val int64 : ?suffix:char -> int64 -> Parsetree.constant
val nativeint : ?suffix:char -> nativeint -> Parsetree.constant
val float : ?suffix:char -> string -> Parsetree.constant
ocaml-doc-4.05/ocaml.html/libref/Ephemeron.Kn.MakeSeeded.html0000644000175000017500000002133313131636443022712 0ustar mehdimehdi Ephemeron.Kn.MakeSeeded

Functor Ephemeron.Kn.MakeSeeded

module MakeSeeded: 
functor (H : Hashtbl.SeededHashedType-> Ephemeron.SeededS with type key = H.t array
Functor building an implementation of a weak hash table. The seed is similar to the one of Hashtbl.MakeSeeded.
Parameters:
H : Hashtbl.SeededHashedType

include Hashtbl.SeededS
val clean : 'a t -> unit
remove all dead bindings. Done automatically during automatic resizing.
val stats_alive : 'a t -> Hashtbl.statistics
same as Hashtbl.SeededS.stats but only count the alive bindings
ocaml-doc-4.05/ocaml.html/libref/type_Ast_helper.Cl.html0000644000175000017500000002734713131636441022130 0ustar mehdimehdi Ast_helper.Cl sig
  val mk :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Parsetree.class_expr_desc -> Parsetree.class_expr
  val attr :
    Parsetree.class_expr -> Parsetree.attribute -> Parsetree.class_expr
  val constr :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Ast_helper.lid -> Parsetree.core_type list -> Parsetree.class_expr
  val structure :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Parsetree.class_structure -> Parsetree.class_expr
  val fun_ :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Asttypes.arg_label ->
    Parsetree.expression option ->
    Parsetree.pattern -> Parsetree.class_expr -> Parsetree.class_expr
  val apply :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Parsetree.class_expr ->
    (Asttypes.arg_label * Parsetree.expression) list -> Parsetree.class_expr
  val let_ :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Asttypes.rec_flag ->
    Parsetree.value_binding list ->
    Parsetree.class_expr -> Parsetree.class_expr
  val constraint_ :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Parsetree.class_expr -> Parsetree.class_type -> Parsetree.class_expr
  val extension :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs -> Parsetree.extension -> Parsetree.class_expr
end
ocaml-doc-4.05/ocaml.html/libref/Stack.html0000644000175000017500000002630213131636450017477 0ustar mehdimehdi Stack

Module Stack

module Stack: sig .. end
Last-in first-out stacks.

This module implements stacks (LIFOs), with in-place modification.


type 'a t 
The type of stacks containing elements of type 'a.
exception Empty
Raised when Stack.pop or Stack.top is applied to an empty stack.
val create : unit -> 'a t
Return a new stack, initially empty.
val push : 'a -> 'a t -> unit
push x s adds the element x at the top of stack s.
val pop : 'a t -> 'a
pop s removes and returns the topmost element in stack s, or raises Stack.Empty if the stack is empty.
val top : 'a t -> 'a
top s returns the topmost element in stack s, or raises Stack.Empty if the stack is empty.
val clear : 'a t -> unit
Discard all elements from a stack.
val copy : 'a t -> 'a t
Return a copy of the given stack.
val is_empty : 'a t -> bool
Return true if the given stack is empty, false otherwise.
val length : 'a t -> int
Return the number of elements in a stack. Time complexity O(1)
val iter : ('a -> unit) -> 'a t -> unit
iter f s applies f in turn to all elements of s, from the element at the top of the stack to the element at the bottom of the stack. The stack itself is unchanged.
val fold : ('b -> 'a -> 'b) -> 'b -> 'a t -> 'b
fold f accu s is (f (... (f (f accu x1) x2) ...) xn) where x1 is the top of the stack, x2 the second element, and xn the bottom element. The stack is unchanged.
Since 4.03
ocaml-doc-4.05/ocaml.html/libref/MoreLabels.Map.OrderedType.html0000644000175000017500000002007013131636446023421 0ustar mehdimehdi MoreLabels.Map.OrderedType

Module type MoreLabels.Map.OrderedType

module type OrderedType = Map.OrderedType

type t 
The type of the map keys.
val compare : t -> t -> int
A total ordering function over the keys. This is a two-argument function f such that f e1 e2 is zero if the keys e1 and e2 are equal, f e1 e2 is strictly negative if e1 is smaller than e2, and f e1 e2 is strictly positive if e1 is greater than e2. Example: a suitable ordering function is the generic structural comparison function compare.
ocaml-doc-4.05/ocaml.html/libref/Terminfo.html0000644000175000017500000002065713131636451020225 0ustar mehdimehdi Terminfo

Module Terminfo

module Terminfo: sig .. end

type status = 
| Uninitialised
| Bad_term
| Good_term of int
val setup : out_channel -> status
val backup : int -> unit
val standout : bool -> unit
val resume : int -> unit
ocaml-doc-4.05/ocaml.html/libref/type_Misc.MakeHooks.html0000644000175000017500000001647713131636446022267 0ustar mehdimehdi Misc.MakeHooks functor (M : sig type t end->
  sig
    type t = M.t
    val add_hook : string -> (hook_info -> t -> t) -> unit
    val apply_hooks : hook_info -> t -> t
  end
ocaml-doc-4.05/ocaml.html/libref/MoreLabels.Hashtbl.SeededHashedType.html0000644000175000017500000002051713131636446025221 0ustar mehdimehdi MoreLabels.Hashtbl.SeededHashedType

Module type MoreLabels.Hashtbl.SeededHashedType

module type SeededHashedType = Hashtbl.SeededHashedType

type t 
The type of the hashtable keys.
val equal : t -> t -> bool
The equality predicate used to compare keys.
val hash : int -> t -> int
A seeded hashing function on keys. The first argument is the seed. It must be the case that if equal x y is true, then hash seed x = hash seed y for any value of seed. A suitable choice for hash is the function Hashtbl.seeded_hash below.
ocaml-doc-4.05/ocaml.html/libref/Printf.html0000644000175000017500000005212213131636450017673 0ustar mehdimehdi Printf

Module Printf

module Printf: sig .. end
Formatted output functions.

val fprintf : out_channel ->
('a, out_channel, unit) format -> 'a
fprintf outchan format arg1 ... argN formats the arguments arg1 to argN according to the format string format, and outputs the resulting string on the channel outchan.

The format string is a character string which contains two types of objects: plain characters, which are simply copied to the output channel, and conversion specifications, each of which causes conversion and printing of arguments.

Conversion specifications have the following form:

% [flags] [width] [.precision] type

In short, a conversion specification consists in the % character, followed by optional modifiers and a type which is made of one or two characters.

The types and their meanings are:

The optional flags are: The optional width is an integer indicating the minimal width of the result. For instance, %6d prints an integer, prefixing it with spaces to fill at least 6 characters.

The optional precision is a dot . followed by an integer indicating how many digits follow the decimal point in the %f, %e, and %E conversions. For instance, %.4f prints a float with 4 fractional digits.

The integer in a width or precision can also be specified as *, in which case an extra integer argument is taken to specify the corresponding width or precision. This integer argument precedes immediately the argument to print. For instance, %.*f prints a float with as many fractional digits as the value of the argument given before the float.

val printf : ('a, out_channel, unit) format -> 'a
Same as Printf.fprintf, but output on stdout.
val eprintf : ('a, out_channel, unit) format -> 'a
Same as Printf.fprintf, but output on stderr.
val sprintf : ('a, unit, string) format -> 'a
Same as Printf.fprintf, but instead of printing on an output channel, return a string containing the result of formatting the arguments.
val bprintf : Buffer.t -> ('a, Buffer.t, unit) format -> 'a
Same as Printf.fprintf, but instead of printing on an output channel, append the formatted arguments to the given extensible buffer (see module Buffer).
val ifprintf : 'b -> ('a, 'b, 'c, unit) format4 -> 'a
Same as Printf.fprintf, but does not print anything. Useful to ignore some material when conditionally printing.
Since 3.10.0

Formatted output functions with continuations.
val kfprintf : (out_channel -> 'd) ->
out_channel ->
('a, out_channel, unit, 'd) format4 -> 'a
Same as fprintf, but instead of returning immediately, passes the out channel to its first argument at the end of printing.
Since 3.09.0
val ikfprintf : ('b -> 'd) -> 'b -> ('a, 'b, 'c, 'd) format4 -> 'a
Same as kfprintf above, but does not print anything. Useful to ignore some material when conditionally printing.
Since 4.01.0
val ksprintf : (string -> 'd) -> ('a, unit, string, 'd) format4 -> 'a
Same as sprintf above, but instead of returning the string, passes it to the first argument.
Since 3.09.0
val kbprintf : (Buffer.t -> 'd) ->
Buffer.t -> ('a, Buffer.t, unit, 'd) format4 -> 'a
Same as bprintf, but instead of returning immediately, passes the buffer to its first argument at the end of printing.
Since 3.10.0

Deprecated
val kprintf : (string -> 'b) -> ('a, unit, string, 'b) format4 -> 'a
A deprecated synonym for ksprintf.
ocaml-doc-4.05/ocaml.html/libref/Depend.html0000644000175000017500000002502613131636443017635 0ustar mehdimehdi Depend

Module Depend

module Depend: sig .. end
Module dependencies.

module StringSet: Set.S  with type elt = string
module StringMap: Map.S  with type key = string
type map_tree = 
| Node of StringSet.t * bound_map
type bound_map = map_tree StringMap.t 
val make_leaf : string -> map_tree
val make_node : bound_map -> map_tree
val weaken_map : StringSet.t -> map_tree -> map_tree
val free_structure_names : StringSet.t ref
val open_module : bound_map -> Longident.t -> bound_map
val add_use_file : bound_map -> Parsetree.toplevel_phrase list -> unit
val add_signature : bound_map -> Parsetree.signature -> unit
val add_implementation : bound_map -> Parsetree.structure -> unit
val add_implementation_binding : bound_map -> Parsetree.structure -> bound_map
val add_signature_binding : bound_map -> Parsetree.signature -> bound_map
ocaml-doc-4.05/ocaml.html/libref/type_Timings.html0000644000175000017500000003325013131636451021106 0ustar mehdimehdi Timings sig
  type file = string
  type source_provenance =
      File of Timings.file
    | Pack of string
    | Startup
    | Toplevel
  type compiler_pass =
      All
    | Parsing of Timings.file
    | Parser of Timings.file
    | Dash_pp of Timings.file
    | Dash_ppx of Timings.file
    | Typing of Timings.file
    | Transl of Timings.file
    | Generate of Timings.file
    | Assemble of Timings.source_provenance
    | Clambda of Timings.source_provenance
    | Cmm of Timings.source_provenance
    | Compile_phrases of Timings.source_provenance
    | Selection of Timings.source_provenance
    | Comballoc of Timings.source_provenance
    | CSE of Timings.source_provenance
    | Liveness of Timings.source_provenance
    | Deadcode of Timings.source_provenance
    | Spill of Timings.source_provenance
    | Split of Timings.source_provenance
    | Regalloc of Timings.source_provenance
    | Linearize of Timings.source_provenance
    | Scheduling of Timings.source_provenance
    | Emit of Timings.source_provenance
    | Flambda_pass of string * Timings.source_provenance
  val reset : unit -> unit
  val get : Timings.compiler_pass -> float option
  val time_call : Timings.compiler_pass -> (unit -> 'a) -> 'a
  val time : Timings.compiler_pass -> ('-> 'b) -> '-> 'b
  val accumulate_time : Timings.compiler_pass -> ('-> 'b) -> '-> 'b
  val print : Format.formatter -> unit
end
ocaml-doc-4.05/ocaml.html/libref/Parse.html0000644000175000017500000002121313131636447017506 0ustar mehdimehdi Parse

Module Parse

module Parse: sig .. end
Entry points in the parser

val implementation : Lexing.lexbuf -> Parsetree.structure
val interface : Lexing.lexbuf -> Parsetree.signature
val toplevel_phrase : Lexing.lexbuf -> Parsetree.toplevel_phrase
val use_file : Lexing.lexbuf -> Parsetree.toplevel_phrase list
val core_type : Lexing.lexbuf -> Parsetree.core_type
val expression : Lexing.lexbuf -> Parsetree.expression
val pattern : Lexing.lexbuf -> Parsetree.pattern
ocaml-doc-4.05/ocaml.html/libref/Ephemeron.K2.html0000644000175000017500000004153113131636443020632 0ustar mehdimehdi Ephemeron.K2

Module Ephemeron.K2

module K2: sig .. end

type ('k1, 'k2, 'd) t 
an ephemeron with two keys
val create : unit -> ('k1, 'k2, 'd) t
Same as Ephemeron.K1.create
val get_key1 : ('k1, 'k2, 'd) t -> 'k1 option
Same as Ephemeron.K1.get_key
val get_key1_copy : ('k1, 'k2, 'd) t -> 'k1 option
Same as Ephemeron.K1.get_key_copy
val set_key1 : ('k1, 'k2, 'd) t -> 'k1 -> unit
Same as Ephemeron.K1.set_key
val unset_key1 : ('k1, 'k2, 'd) t -> unit
Same as Ephemeron.K1.unset_key
val check_key1 : ('k1, 'k2, 'd) t -> bool
Same as Ephemeron.K1.check_key
val get_key2 : ('k1, 'k2, 'd) t -> 'k2 option
Same as Ephemeron.K1.get_key
val get_key2_copy : ('k1, 'k2, 'd) t -> 'k2 option
Same as Ephemeron.K1.get_key_copy
val set_key2 : ('k1, 'k2, 'd) t -> 'k2 -> unit
Same as Ephemeron.K1.set_key
val unset_key2 : ('k1, 'k2, 'd) t -> unit
Same as Ephemeron.K1.unset_key
val check_key2 : ('k1, 'k2, 'd) t -> bool
Same as Ephemeron.K1.check_key
val blit_key1 : ('k1, 'a, 'b) t -> ('k1, 'c, 'd) t -> unit
Same as Ephemeron.K1.blit_key
val blit_key2 : ('a, 'k2, 'b) t -> ('c, 'k2, 'd) t -> unit
Same as Ephemeron.K1.blit_key
val blit_key12 : ('k1, 'k2, 'a) t -> ('k1, 'k2, 'b) t -> unit
Same as Ephemeron.K1.blit_key
val get_data : ('k1, 'k2, 'd) t -> 'd option
Same as Ephemeron.K1.get_data
val get_data_copy : ('k1, 'k2, 'd) t -> 'd option
Same as Ephemeron.K1.get_data_copy
val set_data : ('k1, 'k2, 'd) t -> 'd -> unit
Same as Ephemeron.K1.set_data
val unset_data : ('k1, 'k2, 'd) t -> unit
Same as Ephemeron.K1.unset_data
val check_data : ('k1, 'k2, 'd) t -> bool
Same as Ephemeron.K1.check_data
val blit_data : ('k1, 'k2, 'd) t -> ('k1, 'k2, 'd) t -> unit
Same as Ephemeron.K1.blit_data
module Make: 
functor (H1 : Hashtbl.HashedType-> 
functor (H2 : Hashtbl.HashedType-> Ephemeron.S with type key = H1.t * H2.t
Functor building an implementation of a weak hash table
module MakeSeeded: 
functor (H1 : Hashtbl.SeededHashedType-> 
functor (H2 : Hashtbl.SeededHashedType-> Ephemeron.SeededS with type key = H1.t * H2.t
Functor building an implementation of a weak hash table.
ocaml-doc-4.05/ocaml.html/libref/type_Hashtbl.Make.html0000644000175000017500000002632613131636444021745 0ustar mehdimehdi Hashtbl.Make functor (H : HashedType->
  sig
    type key = H.t
    type 'a t
    val create : int -> 'a t
    val clear : 'a t -> unit
    val reset : 'a t -> unit
    val copy : 'a t -> 'a t
    val add : 'a t -> key -> '-> unit
    val remove : 'a t -> key -> unit
    val find : 'a t -> key -> 'a
    val find_opt : 'a t -> key -> 'a option
    val find_all : 'a t -> key -> 'a list
    val replace : 'a t -> key -> '-> unit
    val mem : 'a t -> key -> bool
    val iter : (key -> '-> unit) -> 'a t -> unit
    val filter_map_inplace : (key -> '-> 'a option) -> 'a t -> unit
    val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
    val length : 'a t -> int
    val stats : 'a t -> statistics
  end
ocaml-doc-4.05/ocaml.html/libref/type_Consistbl.html0000644000175000017500000002210013131636443021425 0ustar mehdimehdi Consistbl sig
  type t
  val create : unit -> Consistbl.t
  val clear : Consistbl.t -> unit
  val check : Consistbl.t -> string -> Digest.t -> string -> unit
  val check_noadd : Consistbl.t -> string -> Digest.t -> string -> unit
  val set : Consistbl.t -> string -> Digest.t -> string -> unit
  val source : Consistbl.t -> string -> string
  val extract : string list -> Consistbl.t -> (string * Digest.t option) list
  val filter : (string -> bool) -> Consistbl.t -> unit
  exception Inconsistency of string * string * string
  exception Not_available of string
end
ocaml-doc-4.05/ocaml.html/libref/Syntaxerr.html0000644000175000017500000002640513131636451020436 0ustar mehdimehdi Syntaxerr

Module Syntaxerr

module Syntaxerr: sig .. end
Auxiliary type for reporting syntax errors

type error = 
| Unclosed of Location.t * string * Location.t * string
| Expecting of Location.t * string
| Not_expecting of Location.t * string
| Applicative_path of Location.t
| Variable_in_scope of Location.t * string
| Other of Location.t
| Ill_formed_ast of Location.t * string
| Invalid_package_type of Location.t * string
exception Error of error
exception Escape_error
val report_error : Format.formatter -> error -> unit
Deprecated.Use Location.error_of_exn, Location.report_error.
val location_of_error : error -> Location.t
val ill_formed_ast : Location.t -> string -> 'a
ocaml-doc-4.05/ocaml.html/libref/type_StdLabels.Bytes.html0000644000175000017500000001470313131636450022437 0ustar mehdimehdi StdLabels.Bytes (module BytesLabels)ocaml-doc-4.05/ocaml.html/libref/type_MoreLabels.Set.html0000644000175000017500000010343513131636446022262 0ustar mehdimehdi MoreLabels.Set sig
  module type OrderedType = Set.OrderedType
  module type S =
    sig
      type elt
      and t
      val empty : MoreLabels.Set.S.t
      val is_empty : MoreLabels.Set.S.t -> bool
      val mem : MoreLabels.Set.S.elt -> MoreLabels.Set.S.t -> bool
      val add :
        MoreLabels.Set.S.elt -> MoreLabels.Set.S.t -> MoreLabels.Set.S.t
      val singleton : MoreLabels.Set.S.elt -> MoreLabels.Set.S.t
      val remove :
        MoreLabels.Set.S.elt -> MoreLabels.Set.S.t -> MoreLabels.Set.S.t
      val union :
        MoreLabels.Set.S.t -> MoreLabels.Set.S.t -> MoreLabels.Set.S.t
      val inter :
        MoreLabels.Set.S.t -> MoreLabels.Set.S.t -> MoreLabels.Set.S.t
      val diff :
        MoreLabels.Set.S.t -> MoreLabels.Set.S.t -> MoreLabels.Set.S.t
      val compare : MoreLabels.Set.S.t -> MoreLabels.Set.S.t -> int
      val equal : MoreLabels.Set.S.t -> MoreLabels.Set.S.t -> bool
      val subset : MoreLabels.Set.S.t -> MoreLabels.Set.S.t -> bool
      val iter :
        f:(MoreLabels.Set.S.elt -> unit) -> MoreLabels.Set.S.t -> unit
      val map :
        f:(MoreLabels.Set.S.elt -> MoreLabels.Set.S.elt) ->
        MoreLabels.Set.S.t -> MoreLabels.Set.S.t
      val fold :
        f:(MoreLabels.Set.S.elt -> '-> 'a) ->
        MoreLabels.Set.S.t -> init:'-> 'a
      val for_all :
        f:(MoreLabels.Set.S.elt -> bool) -> MoreLabels.Set.S.t -> bool
      val exists :
        f:(MoreLabels.Set.S.elt -> bool) -> MoreLabels.Set.S.t -> bool
      val filter :
        f:(MoreLabels.Set.S.elt -> bool) ->
        MoreLabels.Set.S.t -> MoreLabels.Set.S.t
      val partition :
        f:(MoreLabels.Set.S.elt -> bool) ->
        MoreLabels.Set.S.t -> MoreLabels.Set.S.t * MoreLabels.Set.S.t
      val cardinal : MoreLabels.Set.S.t -> int
      val elements : MoreLabels.Set.S.t -> MoreLabels.Set.S.elt list
      val min_elt : MoreLabels.Set.S.t -> MoreLabels.Set.S.elt
      val min_elt_opt : MoreLabels.Set.S.t -> MoreLabels.Set.S.elt option
      val max_elt : MoreLabels.Set.S.t -> MoreLabels.Set.S.elt
      val max_elt_opt : MoreLabels.Set.S.t -> MoreLabels.Set.S.elt option
      val choose : MoreLabels.Set.S.t -> MoreLabels.Set.S.elt
      val choose_opt : MoreLabels.Set.S.t -> MoreLabels.Set.S.elt option
      val split :
        MoreLabels.Set.S.elt ->
        MoreLabels.Set.S.t -> MoreLabels.Set.S.t * bool * MoreLabels.Set.S.t
      val find :
        MoreLabels.Set.S.elt -> MoreLabels.Set.S.t -> MoreLabels.Set.S.elt
      val find_opt :
        MoreLabels.Set.S.elt ->
        MoreLabels.Set.S.t -> MoreLabels.Set.S.elt option
      val find_first :
        f:(MoreLabels.Set.S.elt -> bool) ->
        MoreLabels.Set.S.t -> MoreLabels.Set.S.elt
      val find_first_opt :
        f:(MoreLabels.Set.S.elt -> bool) ->
        MoreLabels.Set.S.t -> MoreLabels.Set.S.elt option
      val find_last :
        f:(MoreLabels.Set.S.elt -> bool) ->
        MoreLabels.Set.S.t -> MoreLabels.Set.S.elt
      val find_last_opt :
        f:(MoreLabels.Set.S.elt -> bool) ->
        MoreLabels.Set.S.t -> MoreLabels.Set.S.elt option
      val of_list : MoreLabels.Set.S.elt list -> MoreLabels.Set.S.t
    end
  module Make :
    functor (Ord : OrderedType->
      sig
        type elt = Ord.t
        and t
        val empty : t
        val is_empty : t -> bool
        val mem : elt -> t -> bool
        val add : elt -> t -> t
        val singleton : elt -> t
        val remove : elt -> t -> t
        val union : t -> t -> t
        val inter : t -> t -> t
        val diff : t -> t -> t
        val compare : t -> t -> int
        val equal : t -> t -> bool
        val subset : t -> t -> bool
        val iter : f:(elt -> unit) -> t -> unit
        val map : f:(elt -> elt) -> t -> t
        val fold : f:(elt -> '-> 'a) -> t -> init:'-> 'a
        val for_all : f:(elt -> bool) -> t -> bool
        val exists : f:(elt -> bool) -> t -> bool
        val filter : f:(elt -> bool) -> t -> t
        val partition : f:(elt -> bool) -> t -> t * t
        val cardinal : t -> int
        val elements : t -> elt list
        val min_elt : t -> elt
        val min_elt_opt : t -> elt option
        val max_elt : t -> elt
        val max_elt_opt : t -> elt option
        val choose : t -> elt
        val choose_opt : t -> elt option
        val split : elt -> t -> t * bool * t
        val find : elt -> t -> elt
        val find_opt : elt -> t -> elt option
        val find_first : f:(elt -> bool) -> t -> elt
        val find_first_opt : f:(elt -> bool) -> t -> elt option
        val find_last : f:(elt -> bool) -> t -> elt
        val find_last_opt : f:(elt -> bool) -> t -> elt option
        val of_list : elt list -> t
      end
end
ocaml-doc-4.05/ocaml.html/libref/type_Targetint.html0000644000175000017500000003432413131636451021440 0ustar mehdimehdi Targetint sig
  type t
  val zero : Targetint.t
  val one : Targetint.t
  val minus_one : Targetint.t
  val neg : Targetint.t -> Targetint.t
  val add : Targetint.t -> Targetint.t -> Targetint.t
  val sub : Targetint.t -> Targetint.t -> Targetint.t
  val mul : Targetint.t -> Targetint.t -> Targetint.t
  val div : Targetint.t -> Targetint.t -> Targetint.t
  val rem : Targetint.t -> Targetint.t -> Targetint.t
  val succ : Targetint.t -> Targetint.t
  val pred : Targetint.t -> Targetint.t
  val abs : Targetint.t -> Targetint.t
  val size : int
  val max_int : Targetint.t
  val min_int : Targetint.t
  val logand : Targetint.t -> Targetint.t -> Targetint.t
  val logor : Targetint.t -> Targetint.t -> Targetint.t
  val logxor : Targetint.t -> Targetint.t -> Targetint.t
  val lognot : Targetint.t -> Targetint.t
  val shift_left : Targetint.t -> int -> Targetint.t
  val shift_right : Targetint.t -> int -> Targetint.t
  val shift_right_logical : Targetint.t -> int -> Targetint.t
  val of_int : int -> Targetint.t
  val of_int_exn : int -> Targetint.t
  val to_int : Targetint.t -> int
  val of_float : float -> Targetint.t
  val to_float : Targetint.t -> float
  val of_int32 : int32 -> Targetint.t
  val to_int32 : Targetint.t -> int32
  val of_int64 : int64 -> Targetint.t
  val to_int64 : Targetint.t -> int64
  val of_string : string -> Targetint.t
  val to_string : Targetint.t -> string
  val compare : Targetint.t -> Targetint.t -> int
  val equal : Targetint.t -> Targetint.t -> bool
  type repr = Int32 of int32 | Int64 of int64
  val repr : Targetint.t -> Targetint.repr
end
ocaml-doc-4.05/ocaml.html/libref/index_class_types.html0000644000175000017500000001474413131636452022163 0ustar mehdimehdi Index of class types

Index of class types

ocaml-doc-4.05/ocaml.html/libref/Spacetime.html0000644000175000017500000002472013131636450020346 0ustar mehdimehdi Spacetime

Module Spacetime

module Spacetime: sig .. end
Profiling of a program's space behaviour over time. Currently only supported on x86-64 platforms running 64-bit code.

To use the functions in this module you must:

Instead of manually taking profiling heap snapshots with this module it is possible to use an automatic snapshot facility that writes profiling information at fixed intervals to a file. To enable this, all that needs to be done is to build the relevant program using a compiler configured with -spacetime; and set the environment variable OCAML_SPACETIME_INTERVAL to an integer number of milliseconds giving the interval between profiling heap snapshots. This interval should not be made excessively small relative to the running time of the program. A typical interval to start with might be 1/100 of the running time of the program. The program must exit "normally" (i.e. by calling exit, with whatever exit code, rather than being abnormally terminated by a signal) so that the snapshot file is correctly completed.

When using the automatic snapshot mode the profiling output is written to a file called "spacetime-<pid>" where <pid> is the process ID of the program. (If the program forks and continues executing then multiple files may be produced with different pid numbers.) The profiling output is by default written to the current working directory when the program starts. This may be customised by setting the OCAML_SPACETIME_SNAPSHOT_DIR environment variable to the name of the desired directory.

If using automatic snapshots the presence of the save_event_for_automatic_snapshots function, below, should be noted.

The functions in this module are thread safe.

For functions to decode the information recorded by the profiler, see the Spacetime offline library in otherlibs/.


val enabled : bool
enabled is true if the compiler is configured with spacetime and false otherwise
module Series: sig .. end
module Snapshot: sig .. end
val save_event_for_automatic_snapshots : event_name:string -> unit
Like Spacetime.Series.save_event, but writes to the automatic snapshot file. This function is a no-op if OCAML_SPACETIME_INTERVAL was not set.
ocaml-doc-4.05/ocaml.html/libref/type_Set.OrderedType.html0000644000175000017500000001545513131636450022462 0ustar mehdimehdi Set.OrderedType sig type t val compare : Set.OrderedType.t -> Set.OrderedType.t -> int endocaml-doc-4.05/ocaml.html/libref/CamlinternalFormat.html0000644000175000017500000005375213131636442022226 0ustar mehdimehdi CamlinternalFormat

Module CamlinternalFormat

module CamlinternalFormat: sig .. end

val is_in_char_set : CamlinternalFormatBasics.char_set -> char -> bool
val rev_char_set : CamlinternalFormatBasics.char_set -> CamlinternalFormatBasics.char_set
type mutable_char_set = bytes 
val create_char_set : unit -> mutable_char_set
val add_in_char_set : mutable_char_set -> char -> unit
val freeze_char_set : mutable_char_set -> CamlinternalFormatBasics.char_set
type ('a, 'b, 'c, 'd, 'e, 'f) param_format_ebb = 
| Param_format_EBB : ('x -> 'a0, 'b0, 'c0, 'd0, 'e0, 'f0) CamlinternalFormatBasics.fmt -> ('a0, 'b0, 'c0, 'd0, 'e0, 'f0) param_format_ebb
val param_format_of_ignored_format : ('a, 'b, 'c, 'd, 'y, 'x) CamlinternalFormatBasics.ignored ->
('x, 'b, 'c, 'y, 'e, 'f) CamlinternalFormatBasics.fmt ->
('a, 'b, 'c, 'd, 'e, 'f) param_format_ebb
type ('b, 'c) acc_formatting_gen = 
| Acc_open_tag of ('b, 'c) acc
| Acc_open_box of ('b, 'c) acc
type ('b, 'c) acc = 
| Acc_formatting_lit of ('b, 'c) acc * CamlinternalFormatBasics.formatting_lit
| Acc_formatting_gen of ('b, 'c) acc
* ('b, 'c) acc_formatting_gen
| Acc_string_literal of ('b, 'c) acc * string
| Acc_char_literal of ('b, 'c) acc * char
| Acc_data_string of ('b, 'c) acc * string
| Acc_data_char of ('b, 'c) acc * char
| Acc_delay of ('b, 'c) acc * ('b -> 'c)
| Acc_flush of ('b, 'c) acc
| Acc_invalid_arg of ('b, 'c) acc * string
| End_of_acc
type ('a, 'b) heter_list = 
| Cons : 'c * ('a0, 'b0) heter_list -> ('c -> 'a0, 'b0) heter_list
| Nil : ('b1, 'b1) heter_list
type ('b, 'c, 'e, 'f) fmt_ebb = 
| Fmt_EBB : ('a, 'b0, 'c0, 'd, 'e0, 'f0) CamlinternalFormatBasics.fmt -> ('b0, 'c0, 'e0, 'f0) fmt_ebb
val make_printf : ('b -> ('b, 'c) acc -> 'd) ->
'b ->
('b, 'c) acc ->
('a, 'b, 'c, 'c, 'c, 'd) CamlinternalFormatBasics.fmt -> 'a
val make_iprintf : ('b -> 'f) ->
'b -> ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.fmt -> 'a
val output_acc : out_channel ->
(out_channel, unit) acc -> unit
val bufput_acc : Buffer.t -> (Buffer.t, unit) acc -> unit
val strput_acc : Buffer.t -> (unit, string) acc -> unit
val type_format : ('x, 'b, 'c, 't, 'u, 'v) CamlinternalFormatBasics.fmt ->
('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.fmtty ->
('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.fmt
val fmt_ebb_of_string : ?legacy_behavior:bool ->
string -> ('b, 'c, 'e, 'f) fmt_ebb
val format_of_string_fmtty : string ->
('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.fmtty ->
('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.format6
val format_of_string_format : string ->
('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.format6 ->
('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.format6
val char_of_iconv : CamlinternalFormatBasics.int_conv -> char
val string_of_formatting_lit : CamlinternalFormatBasics.formatting_lit -> string
val string_of_formatting_gen : ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.formatting_gen -> string
val string_of_fmtty : ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.fmtty -> string
val string_of_fmt : ('a, 'b, 'c, 'd, 'e, 'f) CamlinternalFormatBasics.fmt -> string
val open_box_of_string : string -> int * CamlinternalFormatBasics.block_type
val symm : ('a1, 'b1, 'c1, 'd1, 'e1, 'f1, 'a2, 'b2, 'c2, 'd2, 'e2, 'f2)
CamlinternalFormatBasics.fmtty_rel ->
('a2, 'b2, 'c2, 'd2, 'e2, 'f2, 'a1, 'b1, 'c1, 'd1, 'e1, 'f1)
CamlinternalFormatBasics.fmtty_rel
val trans : ('a1, 'b1, 'c1, 'd1, 'e1, 'f1, 'a2, 'b2, 'c2, 'd2, 'e2, 'f2)
CamlinternalFormatBasics.fmtty_rel ->
('a2, 'b2, 'c2, 'd2, 'e2, 'f2, 'a3, 'b3, 'c3, 'd3, 'e3, 'f3)
CamlinternalFormatBasics.fmtty_rel ->
('a1, 'b1, 'c1, 'd1, 'e1, 'f1, 'a3, 'b3, 'c3, 'd3, 'e3, 'f3)
CamlinternalFormatBasics.fmtty_rel
val recast : ('a1, 'b1, 'c1, 'd1, 'e1, 'f1) CamlinternalFormatBasics.fmt ->
('a1, 'b1, 'c1, 'd1, 'e1, 'f1, 'a2, 'b2, 'c2, 'd2, 'e2, 'f2)
CamlinternalFormatBasics.fmtty_rel ->
('a2, 'b2, 'c2, 'd2, 'e2, 'f2) CamlinternalFormatBasics.fmt
ocaml-doc-4.05/ocaml.html/libref/type_Ast_helper.Mod.html0000644000175000017500000002616213131636441022303 0ustar mehdimehdi Ast_helper.Mod sig
  val mk :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Parsetree.module_expr_desc -> Parsetree.module_expr
  val attr :
    Parsetree.module_expr -> Parsetree.attribute -> Parsetree.module_expr
  val ident :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs -> Ast_helper.lid -> Parsetree.module_expr
  val structure :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs -> Parsetree.structure -> Parsetree.module_expr
  val functor_ :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Ast_helper.str ->
    Parsetree.module_type option ->
    Parsetree.module_expr -> Parsetree.module_expr
  val apply :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Parsetree.module_expr -> Parsetree.module_expr -> Parsetree.module_expr
  val constraint_ :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Parsetree.module_expr -> Parsetree.module_type -> Parsetree.module_expr
  val unpack :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs -> Parsetree.expression -> Parsetree.module_expr
  val extension :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs -> Parsetree.extension -> Parsetree.module_expr
end
ocaml-doc-4.05/ocaml.html/libref/Ephemeron.Kn.html0000644000175000017500000003273713131636443020736 0ustar mehdimehdi Ephemeron.Kn

Module Ephemeron.Kn

module Kn: sig .. end

type ('k, 'd) t 
an ephemeron with an arbitrary number of keys of the same type
val create : int -> ('k, 'd) t
Same as Ephemeron.K1.create
val get_key : ('k, 'd) t -> int -> 'k option
Same as Ephemeron.K1.get_key
val get_key_copy : ('k, 'd) t -> int -> 'k option
Same as Ephemeron.K1.get_key_copy
val set_key : ('k, 'd) t -> int -> 'k -> unit
Same as Ephemeron.K1.set_key
val unset_key : ('k, 'd) t -> int -> unit
Same as Ephemeron.K1.unset_key
val check_key : ('k, 'd) t -> int -> bool
Same as Ephemeron.K1.check_key
val blit_key : ('k, 'a) t ->
int -> ('k, 'b) t -> int -> int -> unit
Same as Ephemeron.K1.blit_key
val get_data : ('k, 'd) t -> 'd option
Same as Ephemeron.K1.get_data
val get_data_copy : ('k, 'd) t -> 'd option
Same as Ephemeron.K1.get_data_copy
val set_data : ('k, 'd) t -> 'd -> unit
Same as Ephemeron.K1.set_data
val unset_data : ('k, 'd) t -> unit
Same as Ephemeron.K1.unset_data
val check_data : ('k, 'd) t -> bool
Same as Ephemeron.K1.check_data
val blit_data : ('k, 'd) t -> ('k, 'd) t -> unit
Same as Ephemeron.K1.blit_data
module Make: 
functor (H : Hashtbl.HashedType-> Ephemeron.S with type key = H.t array
Functor building an implementation of a weak hash table
module MakeSeeded: 
functor (H : Hashtbl.SeededHashedType-> Ephemeron.SeededS with type key = H.t array
Functor building an implementation of a weak hash table.
ocaml-doc-4.05/ocaml.html/libref/index_values.html0000644000175000017500000253422113131636452021130 0ustar mehdimehdi Index of values

Index of values


( * ) [Pervasives]
Integer multiplication.
( ** ) [Pervasives]
Exponentiation.
( **/ ) [Num]
Same as Num.power_num.
( *. ) [Pervasives]
Floating-point multiplication
( */ ) [Num]
Same as Num.mult_num.
(!) [Pervasives]
!r returns the current contents of reference r.
(!=) [Pervasives]
Negation of (==).
(&&) [Pervasives]
The boolean 'and'.
(&) [Pervasives]
(+) [Pervasives]
Integer addition.
(+.) [Pervasives]
Floating-point addition
(+/) [Num]
Same as Num.add_num.
(-) [Pervasives]
Integer subtraction.
(-.) [Pervasives]
Floating-point subtraction
(-/) [Num]
Same as Num.sub_num.
(/) [Pervasives]
Integer division.
(/.) [Pervasives]
Floating-point division.
(//) [Num]
Same as Num.div_num.
(:=) [Pervasives]
r := a stores the value of a in reference r.
(<) [Pervasives]
See (>=).
(</) [Num]
(<=) [Pervasives]
See (>=).
(<=/) [Num]
(<>) [Pervasives]
Negation of (=).
(<>/) [Num]
(=) [Pervasives]
e1 = e2 tests for structural equality of e1 and e2.
(=/) [Num]
(==) [Pervasives]
e1 == e2 tests for physical equality of e1 and e2.
(>) [Pervasives]
See (>=).
(>/) [Num]
(>=) [Pervasives]
Structural ordering functions.
(>=/) [Num]
(@) [Pervasives]
List concatenation.
(@@) [Pervasives]
Application operator: g @@ f @@ x is exactly equivalent to g (f (x)).
(^) [Pervasives]
String concatenation.
(^^) [Pervasives]
f1 ^^ f2 catenates format strings f1 and f2.
(asr) [Pervasives]
asr m shifts n to the right by m bits.
(land) [Pervasives]
Bitwise logical and.
(lor) [Pervasives]
Bitwise logical or.
(lsl) [Pervasives]
lsl m shifts n to the left by m bits.
(lsr) [Pervasives]
lsr m shifts n to the right by m bits.
(lxor) [Pervasives]
Bitwise logical exclusive or.
(mod) [Pervasives]
Integer remainder.
(or) [Pervasives]
(|>) [Pervasives]
Reverse-application operator: x |> f |> g is exactly equivalent to g (f (x)).
(||) [Pervasives]
The boolean 'or'.
(~+) [Pervasives]
Unary addition.
(~+.) [Pervasives]
Unary addition.
(~-) [Pervasives]
Unary negation.
(~-.) [Pervasives]
Unary negation.
__FILE__ [Pervasives]
__FILE__ returns the name of the file currently being parsed by the compiler.
__LINE_OF__ [Pervasives]
__LINE__ expr returns a pair (line, expr), where line is the line number at which the expression expr appears in the file currently being parsed by the compiler.
__LINE__ [Pervasives]
__LINE__ returns the line number at which this expression appears in the file currently being parsed by the compiler.
__LOC_OF__ [Pervasives]
__LOC_OF__ expr returns a pair (loc, expr) where loc is the location of expr in the file currently being parsed by the compiler, with the standard error format of OCaml: "File %S, line %d, characters %d-%d".
__LOC__ [Pervasives]
__LOC__ returns the location at which this expression appears in the file currently being parsed by the compiler, with the standard error format of OCaml: "File %S, line %d, characters %d-%d".
__MODULE__ [Pervasives]
__MODULE__ returns the module name of the file being parsed by the compiler.
__POS_OF__ [Pervasives]
__POS_OF__ expr returns a pair (loc,expr), where loc is a tuple (file,lnum,cnum,enum) corresponding to the location at which the expression expr appears in the file currently being parsed by the compiler.
__POS__ [Pervasives]
__POS__ returns a tuple (file,lnum,cnum,enum), corresponding to the location at which this expression appears in the file currently being parsed by the compiler.

A
abs [Targetint]
Return the absolute value of its argument.
abs [Pervasives]
Return the absolute value of the argument.
abs [Nativeint]
Return the absolute value of its argument.
abs [Int64]
Return the absolute value of its argument.
abs [Int32]
Return the absolute value of its argument.
abs_big_int [Big_int]
Absolute value.
abs_float [Pervasives]
abs_float f returns the absolute value of f.
abs_num [Num]
Absolute value.
absname [Location]
absolute_path [Location]
abstract_tag [Obj]
accept [UnixLabels]
Accept connections on the given socket.
accept [Unix]
Accept connections on the given socket.
accept [ThreadUnix]
access [UnixLabels]
Check that the process has the given permissions over the named file.
access [Unix]
Check that the process has the given permissions over the named file.
accumulate_time [Timings]
Like time for passes that can run multiple times
acos [Pervasives]
Arc cosine.
adapt_filename [Dynlink]
In bytecode, the identity function.
add [Weak.S]
add t x adds x to t.
add [Tbl]
add [Targetint]
Addition.
add [Queue]
add x q adds the element x at the end of the queue q.
add [Nativeint]
Addition.
add [MoreLabels.Set.S]
add [MoreLabels.Map.S]
add [MoreLabels.Hashtbl.SeededS]
add [MoreLabels.Hashtbl.S]
add [MoreLabels.Hashtbl]
add [Int64]
Addition.
add [Int32]
Addition.
add [Hashtbl.SeededS]
add [Hashtbl.S]
add [Hashtbl]
Hashtbl.add tbl x y adds a binding of x to y in table tbl.
add [Map.S]
add x y m returns a map containing the same bindings as m, plus a binding of x to y.
add [Set.S]
add x s returns a set containing all elements of s, plus x.
add [Complex]
Addition
add_arguments [Clflags]
add_available_units [Dynlink]
Same as Dynlink.add_interfaces, but instead of searching .cmi files to find the unit interfaces, uses the interface digests given for each unit.
add_base_override [Arg_helper.Make]
add_big_int [Big_int]
Addition.
add_buffer [Buffer]
add_buffer b1 b2 appends the current contents of buffer b2 at the end of buffer b1.
add_bytes [Buffer]
add_bytes b s appends the byte sequence s at the end of buffer b.
add_channel [Buffer]
add_channel b ic n reads at most n characters from the input channel ic and stores them at the end of buffer b.
add_char [Buffer]
add_char b c appends the character c at the end of buffer b.
add_docs_attrs [Docstrings]
Convert item documentation to attributes and add them to an attribute list
add_hook [Misc.HookSig]
add_implementation [Depend]
add_implementation_binding [Depend]
add_in_char_set [CamlinternalFormat]
add_info_attrs [Docstrings]
Convert field info to attributes and add them to an attribute list
add_initializer [CamlinternalOO]
add_int_big_int [Big_int]
Addition of a small integer to a big integer.
add_interfaces [Dynlink]
add_interfaces units path grants dynamically-linked object files access to the compilation units named in list units.
add_num [Num]
Addition
add_offset [Obj]
add_ppx_context_sig [Ast_mapper]
Same as add_ppx_context_str, but for signatures.
add_ppx_context_str [Ast_mapper]
Extract information from the current environment and encode it into an attribute which is prepended to the list of structure items in order to pass the information to an external processor.
add_signature [Depend]
add_signature_binding [Depend]
add_string [Buffer]
add_string b s appends the string s at the end of buffer b.
add_subbytes [Buffer]
add_subbytes b s ofs len takes len characters from offset ofs in byte sequence s and appends them at the end of buffer b.
add_substitute [Buffer]
add_substitute b f s appends the string pattern s at the end of buffer b with substitution.
add_substring [Buffer]
add_substring b s ofs len takes len characters from offset ofs in string s and appends them at the end of buffer b.
add_text_attrs [Docstrings]
Convert text to attributes and add them to an attribute list
add_use_file [Depend]
add_user_override [Arg_helper.Make]
afl_inst_ratio [Clflags]
afl_instrument [Config]
afl_instrument [Clflags]
alarm [UnixLabels]
Schedule a SIGALRM signal after the given number of seconds.
alarm [Unix]
Schedule a SIGALRM signal after the given number of seconds.
alias [Ast_helper.Mty]
alias [Ast_helper.Pat]
alias [Ast_helper.Typ]
align [Misc]
align [Arg]
Align the documentation strings by inserting spaces at the first space, according to the length of the keyword.
all_ccopts [Clflags]
all_passes [Clflags]
all_ppx [Clflags]
allocated_bytes [Gc]
Return the total number of bytes allocated since the program was started.
allow_only [Dynlink]
allow_only units restricts the compilation units that dynamically-linked units can reference: it forbids all references to units other than those named in the list units.
allow_unsafe_modules [Dynlink]
Govern whether unsafe object files are allowed to be dynamically linked.
always [Event]
always v returns an event that is always ready for synchronization.
and_big_int [Big_int]
Bitwise logical 'and'.
annotations [Clflags]
ansi_of_style_l [Misc.Color]
any [Ast_helper.Pat]
any [Ast_helper.Typ]
append [ListLabels]
Catenate two lists.
append [List]
Concatenate two lists.
append [ArrayLabels]
Array.append v1 v2 returns a fresh array containing the concatenation of the arrays v1 and v2.
append [Array]
Array.append v1 v2 returns a fresh array containing the concatenation of the arrays v1 and v2.
applicative_functors [Clflags]
apply [Ast_mapper]
Apply a mapper (parametrized by the unit name) to a dumped parsetree found in the source file and put the result in the target file.
apply [Ast_helper.Cl]
apply [Ast_helper.Mod]
apply [Ast_helper.Exp]
apply_hooks [Misc.HookSig]
approx_num_exp [Num]
Approximate a number by a decimal.
approx_num_fix [Num]
ar [Config]
architecture [Config]
arg [Complex]
Argument.
arg_spec [Clflags]
argv [Sys]
The command line arguments given to the process.
arith_status [Arith_status]
Print the current status of the arithmetic flags.
array [Sort]
Sort an array in increasing order according to an ordering predicate.
array [Ast_helper.Exp]
array [Ast_helper.Pat]
array0_of_genarray [Bigarray]
Return the zero-dimensional big array corresponding to the given generic big array.
array1_of_genarray [Bigarray]
Return the one-dimensional big array corresponding to the given generic big array.
array2_of_genarray [Bigarray]
Return the two-dimensional big array corresponding to the given generic big array.
array3_of_genarray [Bigarray]
Return the three-dimensional big array corresponding to the given generic big array.
arrow [Ast_helper.Cty]
arrow [Ast_helper.Typ]
asin [Pervasives]
Arc sine.
asm [Config]
asm_cfi_supported [Config]
asprintf [Format]
Same as printf above, but instead of printing on a formatter, returns a string containing the result of formatting the arguments.
assert_ [Ast_helper.Exp]
assoc [ListLabels]
assoc a l returns the value associated with key a in the list of pairs l.
assoc [List]
assoc a l returns the value associated with key a in the list of pairs l.
assoc_opt [ListLabels]
assoc_opt a l returns the value associated with key a in the list of pairs l.
assoc_opt [List]
assoc_opt a l returns the value associated with key a in the list of pairs l.
assq [ListLabels]
Same as List.assoc, but uses physical equality instead of structural equality to compare keys.
assq [List]
Same as List.assoc, but uses physical equality instead of structural equality to compare keys.
assq_opt [ListLabels]
Same as List.assoc_opt, but uses physical equality instead of structural equality to compare keys.
assq_opt [List]
Same as List.assoc_opt, but uses physical equality instead of structural equality to compare keys.
ast_impl_magic_number [Config]
ast_intf_magic_number [Config]
at_exit [Pervasives]
Register the given function to be called at program termination time.
atan [Pervasives]
Arc tangent.
atan2 [Pervasives]
atan2 y x returns the arc tangent of y /. x.
attr [Ast_helper.Cf]
attr [Ast_helper.Cl]
attr [Ast_helper.Ctf]
attr [Ast_helper.Cty]
attr [Ast_helper.Mod]
attr [Ast_helper.Mty]
attr [Ast_helper.Exp]
attr [Ast_helper.Pat]
attr [Ast_helper.Typ]
attribute [Ast_helper.Cf]
attribute [Ast_helper.Ctf]
attribute [Ast_helper.Str]
attribute [Ast_helper.Sig]
attribute_of_warning [Ast_mapper]
Encode a warning message into an 'ocaml.ppwarning' attribute which can be inserted in a generated Parsetree.
auto_synchronize [Graphics]
By default, drawing takes place both on the window displayed on screen, and in a memory area (the 'backing store').

B
backend_type [Sys]
Backend type currently executing the OCaml program.
background [Graphics]
backtrace_slots [Printexc]
Returns the slots of a raw backtrace, or None if none of them contain useful information.
backtrace_status [Printexc]
Printexc.backtrace_status() returns true if exception backtraces are currently recorded, false if not.
backup [Warnings]
backup [Terminfo]
basename [Filename]
Split a file name into directory name / base file name.
beginning_of_input [Scanf.Scanning]
Scanning.beginning_of_input ic tests the beginning of input condition of the given Scanf.Scanning.in_channel formatted input channel.
big_endian [Sys]
Whether the machine currently executing the Caml program is big-endian.
big_int_of_int [Big_int]
Convert a small integer to a big integer.
big_int_of_int32 [Big_int]
Convert a 32-bit integer to a big integer.
big_int_of_int64 [Big_int]
Convert a 64-bit integer to a big integer.
big_int_of_nativeint [Big_int]
Convert a native integer to a big integer.
big_int_of_num [Num]
big_int_of_num_opt [Num]
big_int_of_string [Big_int]
Convert a string to a big integer, in decimal.
big_int_of_string_opt [Big_int]
Convert a string to a big integer, in decimal.
binary_annotations [Clflags]
bind [UnixLabels]
Bind a socket to an address.
bind [Unix]
Bind a socket to an address.
bindings [MoreLabels.Map.S]
bindings [Map.S]
Return the list of all bindings of the given map.
bits [Random.State]
bits [Random]
Return 30 random bits in a nonnegative integer.
bits_of_float [Int64]
Return the internal representation of the given float according to the IEEE 754 floating-point 'double format' bit layout.
bits_of_float [Int32]
Return the internal representation of the given float according to the IEEE 754 floating-point 'single format' bit layout.
black [Graphics]
blit [Weak]
Weak.blit ar1 off1 ar2 off2 len copies len weak pointers from ar1 (starting at off1) to ar2 (starting at off2).
blit [String]
blit [StringLabels]
String.blit src srcoff dst dstoff len copies len bytes from the string src, starting at index srcoff, to byte sequence dst, starting at character number dstoff.
blit [Misc.LongString]
blit [BytesLabels]
blit src srcoff dst dstoff len copies len bytes from sequence src, starting at index srcoff, to sequence dst, starting at index dstoff.
blit [Bytes]
blit src srcoff dst dstoff len copies len bytes from sequence src, starting at index srcoff, to sequence dst, starting at index dstoff.
blit [Buffer]
Buffer.blit src srcoff dst dstoff len copies len characters from the current contents of the buffer src, starting at offset srcoff to dst, starting at character dstoff.
blit [Bigarray.Array3]
Copy the first big array to the second big array.
blit [Bigarray.Array2]
Copy the first big array to the second big array.
blit [Bigarray.Array1]
Copy the first big array to the second big array.
blit [Bigarray.Array0]
Copy the first big array to the second big array.
blit [Bigarray.Genarray]
Copy all elements of a big array in another big array.
blit [ArrayLabels]
Array.blit v1 o1 v2 o2 len copies len elements from array v1, starting at element number o1, to array v2, starting at element number o2.
blit [Array]
Array.blit v1 o1 v2 o2 len copies len elements from array v1, starting at element number o1, to array v2, starting at element number o2.
blit_data [Obj.Ephemeron]
blit_data [Ephemeron.Kn]
blit_data [Ephemeron.K2]
blit_data [Ephemeron.K1]
Ephemeron.K1.blit_data eph1 eph2 sets the data of eph2 with the data of eph1.
blit_image [Graphics]
blit_image img x y copies screen pixels into the image img, modifying img in-place.
blit_key [Obj.Ephemeron]
blit_key [Ephemeron.Kn]
blit_key [Ephemeron.K1]
Ephemeron.K1.blit_key eph1 eph2 sets the key of eph2 with the key of eph1.
blit_key1 [Ephemeron.K2]
blit_key12 [Ephemeron.K2]
blit_key2 [Ephemeron.K2]
blit_string [BytesLabels]
blit src srcoff dst dstoff len copies len bytes from string src, starting at index srcoff, to byte sequence dst, starting at index dstoff.
blit_string [Bytes]
blit src srcoff dst dstoff len copies len bytes from string src, starting at index srcoff, to byte sequence dst, starting at index dstoff.
blue [Graphics]
bool [Random.State]
These functions are the same as the basic functions, except that they use (and update) the given PRNG state instead of the default one.
bool [Random]
Random.bool () returns true or false with probability 0.5 each.
bool_of_string [Pervasives]
Convert the given string to a boolean.
bool_of_string_opt [Pervasives]
Convert the given string to a boolean.
bounded_full_split [Str]
Same as Str.bounded_split_delim, but returns the delimiters as well as the substrings contained between delimiters.
bounded_split [Str]
Same as Str.split, but splits into at most n substrings, where n is the extra integer parameter.
bounded_split_delim [Str]
Same as Str.bounded_split, but occurrences of the delimiter at the beginning and at the end of the string are recognized and returned as empty strings in the result.
bprintf [Printf]
Same as Printf.fprintf, but instead of printing on an output channel, append the formatted arguments to the given extensible buffer (see module Buffer).
bprintf [Format]
broadcast [Condition]
broadcast c restarts all processes waiting on the condition variable c.
bscanf [Scanf]
bscanf_format [Scanf]
bscanf_format ic fmt f reads a format string token from the formatted input channel ic, according to the given format string fmt, and applies f to the resulting format string value.
bufput_acc [CamlinternalFormat]
button_down [Graphics]
Return true if the mouse button is pressed, false otherwise.
bytecode_compatible_32 [Clflags]
bytecomp_c_compiler [Config]
bytecomp_c_libraries [Config]
bytes [Digest]
Return the digest of the given byte sequence.

C
c_compiler [Clflags]
c_layout [Bigarray]
call_linker [Ccomp]
capitalize [String]
Return a copy of the argument, with the first character set to uppercase, using the ISO Latin-1 (8859-1) character set..
capitalize [StringLabels]
Return a copy of the argument, with the first character set to uppercase, using the ISO Latin-1 (8859-1) character set..
capitalize [BytesLabels]
Return a copy of the argument, with the first character set to uppercase, using the ISO Latin-1 (8859-1) character set..
capitalize [Bytes]
Return a copy of the argument, with the first character set to uppercase, using the ISO Latin-1 (8859-1) character set..
capitalize_ascii [String]
Return a copy of the argument, with the first character set to uppercase, using the US-ASCII character set.
capitalize_ascii [StringLabels]
Return a copy of the argument, with the first character set to uppercase, using the US-ASCII character set.
capitalize_ascii [BytesLabels]
Return a copy of the argument, with the first character set to uppercase, using the US-ASCII character set.
capitalize_ascii [Bytes]
Return a copy of the argument, with the first character set to uppercase, using the US-ASCII character set.
cardinal [MoreLabels.Set.S]
cardinal [MoreLabels.Map.S]
cardinal [Map.S]
Return the number of bindings of a map.
cardinal [Set.S]
Return the number of elements of a set.
case [Ast_helper.Exp]
cat [BytesLabels]
cat s1 s2 concatenates s1 and s2 and returns the result as new byte sequence.
cat [Bytes]
cat s1 s2 concatenates s1 and s2 and returns the result as new byte sequence.
catch [Printexc]
Printexc.catch fn x is similar to Printexc.print, but aborts the program with exit code 2 after printing the uncaught exception.
catch_break [Sys]
catch_break governs whether interactive interrupt (ctrl-C) terminates the program or raises the Break exception.
cc_profile [Config]
ccobjs [Clflags]
ccomp_type [Config]
ceil [Pervasives]
Round above to an integer value.
ceiling_num [Num]
ceiling_num n returns the smallest integer bigger or equal to n.
change_layout [Bigarray.Genarray]
Genarray.change_layout a layout returns a bigarray with the specified layout, sharing the data with a (and hence having the same dimensions as a).
channel [Digest]
If len is nonnegative, Digest.channel ic len reads len characters from channel ic and returns their digest, or raises End_of_file if end-of-file is reached before len characters are read.
char [Bigarray]
As shown by the types of the values above, big arrays of kind float32_elt and float64_elt are accessed using the OCaml type float.
char [Ast_helper.Const]
char_of_iconv [CamlinternalFormat]
char_of_int [Pervasives]
Return the character with the given ASCII code.
chdir [UnixLabels]
Change the process working directory.
chdir [Unix]
Change the process working directory.
chdir [Sys]
Change the current working directory of the process.
check [Weak]
Weak.check ar n returns true if the nth cell of ar is full, false if it is empty.
check [Consistbl]
check_data [Obj.Ephemeron]
check_data [Ephemeron.Kn]
check_data [Ephemeron.K2]
check_data [Ephemeron.K1]
Ephemeron.K1.check_data eph returns true if the data of the eph is full, false if it is empty.
check_deprecated [Builtin_attributes]
check_deprecated_mutable [Builtin_attributes]
check_fatal [Warnings]
check_key [Obj.Ephemeron]
check_key [Ephemeron.Kn]
check_key [Ephemeron.K1]
Ephemeron.K1.check_key eph returns true if the key of the eph is full, false if it is empty.
check_key1 [Ephemeron.K2]
check_key2 [Ephemeron.K2]
check_noadd [Consistbl]
check_suffix [Filename]
check_suffix name suff returns true if the filename name ends with the suffix suff.
chmod [UnixLabels]
Change the permissions of the named file.
chmod [Unix]
Change the permissions of the named file.
choose [MoreLabels.Set.S]
choose [MoreLabels.Map.S]
choose [Event]
choose evl returns the event that is the alternative of all the events in the list evl.
choose [Map.S]
Return one binding of the given map, or raise Not_found if the map is empty.
choose [Set.S]
Return one element of the given set, or raise Not_found if the set is empty.
choose_opt [MoreLabels.Set.S]
choose_opt [MoreLabels.Map.S]
choose_opt [Map.S]
Return one binding of the given map, or None if the map is empty.
choose_opt [Set.S]
Return one element of the given set, or None if the set is empty.
chop_extension [Filename]
Same as Filename.remove_extension, but raise Invalid_argument if the given name has an empty extension.
chop_extensions [Misc]
chop_suffix [Filename]
chop_suffix name suff removes the suffix suff from the filename name.
chown [UnixLabels]
Change the owner uid and owner gid of the named file.
chown [Unix]
Change the owner uid and owner gid of the named file.
chr [Char]
Return the character with the given ASCII code.
chroot [UnixLabels]
Change the process root directory.
chroot [Unix]
Change the process root directory.
clambda_checks [Clflags]
class_ [Ast_helper.Str]
class_ [Ast_helper.Sig]
class_ [Ast_helper.Typ]
class_type [Ast_helper.Str]
class_type [Ast_helper.Sig]
classic [Clflags]
classic_arguments [Clflags]
classic_inlining [Clflags]
classify_float [Pervasives]
Return the class of the given floating-point number: normal, subnormal, zero, infinite, or not a number.
clean [Ephemeron.SeededS]
remove all dead bindings.
clean [Ephemeron.S]
remove all dead bindings.
clear [Weak.S]
Remove all elements from the table.
clear [Stack]
Discard all elements from a stack.
clear [Queue]
Discard all elements from a queue.
clear [MoreLabels.Hashtbl.SeededS]
clear [MoreLabels.Hashtbl.S]
clear [MoreLabels.Hashtbl]
clear [Hashtbl.SeededS]
clear [Hashtbl.S]
clear [Hashtbl]
Empty a hash table.
clear [Consistbl]
clear [Buffer]
Empty the buffer.
clear_available_units [Dynlink]
Empty the list of compilation units accessible to dynamically-linked programs.
clear_close_on_exec [UnixLabels]
Clear the ``close-on-exec'' flag on the given descriptor.
clear_close_on_exec [Unix]
Clear the ``close-on-exec'' flag on the given descriptor.
clear_graph [Graphics]
Erase the graphics window.
clear_nonblock [UnixLabels]
Clear the ``non-blocking'' flag on the given descriptor.
clear_nonblock [Unix]
Clear the ``non-blocking'' flag on the given descriptor.
clear_parser [Parsing]
Empty the parser stack.
close [UnixLabels]
Close a file descriptor.
close [Unix]
Close a file descriptor.
close_box [Format]
Closes the most recently opened pretty-printing box.
close_graph [Graphics]
Delete the graphics window or switch the screen back to text mode.
close_in [Scanf.Scanning]
Closes the in_channel associated with the given Scanf.Scanning.in_channel formatted input channel.
close_in [Pervasives]
Close the given channel.
close_in_noerr [Pervasives]
Same as close_in, but ignore all errors.
close_out [Pervasives]
Close the given channel, flushing all buffered write operations.
close_out_noerr [Pervasives]
Same as close_out, but ignore all errors.
close_process [UnixLabels]
Close channels opened by UnixLabels.open_process, wait for the associated command to terminate, and return its termination status.
close_process [Unix]
Close channels opened by Unix.open_process, wait for the associated command to terminate, and return its termination status.
close_process_full [UnixLabels]
Close channels opened by UnixLabels.open_process_full, wait for the associated command to terminate, and return its termination status.
close_process_full [Unix]
Close channels opened by Unix.open_process_full, wait for the associated command to terminate, and return its termination status.
close_process_in [UnixLabels]
Close channels opened by UnixLabels.open_process_in, wait for the associated command to terminate, and return its termination status.
close_process_in [Unix]
Close channels opened by Unix.open_process_in, wait for the associated command to terminate, and return its termination status.
close_process_out [UnixLabels]
Close channels opened by UnixLabels.open_process_out, wait for the associated command to terminate, and return its termination status.
close_process_out [Unix]
Close channels opened by Unix.open_process_out, wait for the associated command to terminate, and return its termination status.
close_subwindow [GraphicsX11]
Close the sub-window having the given identifier.
close_tag [Format]
close_tag () closes the most recently opened tag t.
close_tbox [Format]
closedir [UnixLabels]
Close a directory descriptor.
closedir [Unix]
Close a directory descriptor.
closure_tag [Obj]
cma_magic_number [Config]
cmi_magic_number [Config]
cmo_magic_number [Config]
cmt_magic_number [Config]
cmx_magic_number [Config]
cmxa_magic_number [Config]
cmxs_magic_number [Config]
code [Char]
Return the ASCII code of the argument.
coerce [Ast_helper.Exp]
color [Clflags]
combine [ListLabels]
Transform a pair of lists into a list of pairs: combine [a1; ...; an] [b1; ...; bn] is [(a1,b1); ...; (an,bn)].
combine [List]
Transform a pair of lists into a list of pairs: combine [a1; ...; an] [b1; ...; bn] is [(a1,b1); ...; (an,bn)].
command [Sys]
Execute the given shell command and return its exit code.
command [Ccomp]
comments [Lexer]
compact [Gc]
Perform a full major collection and compact the heap.
compare [Uchar]
compare u u' is Pervasives.compare u u'.
compare [Targetint]
The comparison function for target integers, with the same specification as compare.
compare [String]
The comparison function for strings, with the same specification as compare.
compare [StringLabels]
The comparison function for strings, with the same specification as compare.
compare [Pervasives]
compare x y returns 0 if x is equal to y, a negative integer if x is less than y, and a positive integer if x is greater than y.
compare [Nativeint]
The comparison function for native integers, with the same specification as compare.
compare [Set.OrderedType]
A total ordering function over the set elements.
compare [MoreLabels.Set.S]
compare [MoreLabels.Map.S]
compare [Misc.Stdlib.List]
The lexicographic order supported by the provided order.
compare [Map.OrderedType]
A total ordering function over the keys.
compare [Int64]
The comparison function for 64-bit integers, with the same specification as compare.
compare [Int32]
The comparison function for 32-bit integers, with the same specification as compare.
compare [Digest]
The comparison function for 16-character digest, with the same specification as compare and the implementation shared with String.compare.
compare [Map.S]
Total ordering between maps.
compare [Set.S]
Total ordering between sets.
compare [Char]
The comparison function for characters, with the same specification as compare.
compare [BytesLabels]
The comparison function for byte sequences, with the same specification as compare.
compare [Bytes]
The comparison function for byte sequences, with the same specification as compare.
compare_big_int [Big_int]
compare_big_int a b returns 0 if a and b are equal, 1 if a is greater than b, and -1 if a is smaller than b.
compare_length_with [ListLabels]
Compare the length of a list to an integer.
compare_length_with [List]
Compare the length of a list to an integer.
compare_lengths [ListLabels]
Compare the lengths of two lists.
compare_lengths [List]
Compare the lengths of two lists.
compare_num [Num]
Return -1, 0 or 1 if the first argument is less than, equal to, or greater than the second argument.
compile_file [Ccomp]
compile_only [Clflags]
complex32 [Bigarray]
complex64 [Bigarray]
component_graph [Strongly_connected_components.S]
concat [String]
String.concat sep sl concatenates the list of strings sl, inserting the separator string sep between each.
concat [StringLabels]
String.concat sep sl concatenates the list of strings sl, inserting the separator string sep between each.
concat [ListLabels]
Concatenate a list of lists.
concat [List]
Concatenate a list of lists.
concat [Filename]
concat dir file returns a file name that designates file file in directory dir.
concat [BytesLabels]
concat sep sl concatenates the list of byte sequences sl, inserting the separator byte sequence sep between each, and returns the result as a new byte sequence.
concat [Bytes]
concat sep sl concatenates the list of byte sequences sl, inserting the separator byte sequence sep between each, and returns the result as a new byte sequence.
concat [ArrayLabels]
Same as Array.append, but concatenates a list of arrays.
concat [Array]
Same as Array.append, but concatenates a list of arrays.
concat_fmt [CamlinternalFormatBasics]
concat_fmtty [CamlinternalFormatBasics]
concrete [Ast_helper.Cf]
conj [Complex]
Conjugate: given the complex x + i.y, returns x - i.y.
connect [UnixLabels]
Connect a socket to an address.
connect [Unix]
Connect a socket to an address.
connect [ThreadUnix]
connected_components_sorted_from_roots_to_leaf [Strongly_connected_components.S]
cons [ListLabels]
cons x xs is x :: xs
cons [List]
cons x xs is x :: xs
constant [Ast_helper.Exp]
constant [Ast_helper.Pat]
constr [Ast_helper.Cl]
constr [Ast_helper.Cty]
constr [Ast_helper.Typ]
constraint_ [Ast_helper.Cf]
constraint_ [Ast_helper.Cl]
constraint_ [Ast_helper.Ctf]
constraint_ [Ast_helper.Mod]
constraint_ [Ast_helper.Exp]
constraint_ [Ast_helper.Pat]
construct [Ast_helper.Exp]
construct [Ast_helper.Pat]
constructor [Ast_helper.Te]
constructor [Ast_helper.Type]
contains [String]
String.contains s c tests if character c appears in the string s.
contains [StringLabels]
String.contains s c tests if character c appears in the string s.
contains [BytesLabels]
contains s c tests if byte c appears in s.
contains [Bytes]
contains s c tests if byte c appears in s.
contains_from [String]
String.contains_from s start c tests if character c appears in s after position start.
contains_from [StringLabels]
String.contains_from s start c tests if character c appears in s after position start.
contains_from [BytesLabels]
contains_from s start c tests if byte c appears in s after position start.
contains_from [Bytes]
contains_from s start c tests if byte c appears in s after position start.
contents [Buffer]
Return a copy of the current contents of the buffer.
convert_raw_backtrace_slot [Printexc]
Extracts the user-friendly backtrace_slot from a low-level raw_backtrace_slot.
copy [String]
Return a copy of the given string.
copy [StringLabels]
Return a copy of the given string.
copy [Stack]
Return a copy of the given stack.
copy [Random.State]
Return a copy of the given state.
copy [Queue]
Return a copy of the given queue.
copy [Oo]
Oo.copy o returns a copy of object o, that is a fresh object with the same methods and instance variables as o.
copy [MoreLabels.Hashtbl.SeededS]
copy [MoreLabels.Hashtbl.S]
copy [MoreLabels.Hashtbl]
copy [Hashtbl.SeededS]
copy [Hashtbl.S]
copy [Hashtbl]
Return a copy of the given hashtable.
copy [CamlinternalOO]
copy [BytesLabels]
Return a new byte sequence that contains the same bytes as the argument.
copy [Bytes]
Return a new byte sequence that contains the same bytes as the argument.
copy [ArrayLabels]
Array.copy a returns a copy of a, that is, a fresh array containing the same elements as a.
copy [Array]
Array.copy a returns a copy of a, that is, a fresh array containing the same elements as a.
copy_file [Misc]
copy_file_chunk [Misc]
copysign [Pervasives]
copysign x y returns a float whose absolute value is that of x and whose sign is that of y.
core_type [Pprintast]
core_type [Parse]
cos [Pervasives]
Cosine.
cosh [Pervasives]
Hyperbolic cosine.
count [Weak.S]
Count the number of elements in the table.
count [Stream]
Return the current count of the stream elements, i.e.
counters [Gc]
Return (minor_words, promoted_words, major_words).
create [Weak.S]
create n creates a new empty weak hash set, of initial size n.
create [Weak]
Weak.create n returns a new weak array of length n.
create [Thread]
Thread.create funct arg creates a new thread of control, in which the function application funct arg is executed concurrently with the other threads of the program.
create [String]
String.create n returns a fresh byte sequence of length n.
create [StringLabels]
String.create n returns a fresh byte sequence of length n.
create [Stack]
Return a new stack, initially empty.
create [Spacetime.Series]
create ~path creates a series file at path.
create [Queue]
Return a new queue, initially empty.
create [Obj.Ephemeron]
create n returns an ephemeron with n keys.
create [Mutex]
Return a new mutex.
create [MoreLabels.Hashtbl.SeededS]
create [MoreLabels.Hashtbl.S]
create [MoreLabels.Hashtbl]
create [Misc.LongString]
create [Hashtbl.SeededS]
create [Hashtbl.S]
create [Hashtbl]
Hashtbl.create n creates a new, empty hash table, with initial size n.
create [Ephemeron.Kn]
create [Ephemeron.K2]
create [Ephemeron.K1]
Ephemeron.K1.create () creates an ephemeron with one key.
create [Consistbl]
create [Condition]
Return a new condition variable.
create [BytesLabels]
create n returns a new byte sequence of length n.
create [Bytes]
create n returns a new byte sequence of length n.
create [Buffer]
create n returns a fresh buffer, initially empty.
create [Bigarray.Array3]
Array3.create kind layout dim1 dim2 dim3 returns a new bigarray of three dimension, whose size is dim1 in the first dimension, dim2 in the second dimension, and dim3 in the third.
create [Bigarray.Array2]
Array2.create kind layout dim1 dim2 returns a new bigarray of two dimension, whose size is dim1 in the first dimension and dim2 in the second dimension.
create [Bigarray.Array1]
Array1.create kind layout dim returns a new bigarray of one dimension, whose size is dim.
create [Bigarray.Array0]
Array0.create kind layout returns a new bigarray of zero dimension.
create [Bigarray.Genarray]
Genarray.create kind layout dimensions returns a new big array whose element kind is determined by the parameter kind (one of float32, float64, int8_signed, etc) and whose layout is determined by the parameter layout (one of c_layout or fortran_layout).
create [ArrayLabels]
create [Array]
create_alarm [Gc]
create_alarm f will arrange for f to be called at the end of each major GC cycle, starting with the current cycle or the next one.
create_archive [Ccomp]
create_char_set [CamlinternalFormat]
create_float [ArrayLabels]
Array.create_float n returns a fresh float array of length n, with uninitialized data.
create_float [Array]
Array.create_float n returns a fresh float array of length n, with uninitialized data.
create_hashtable [Misc]
create_image [Graphics]
create_image w h returns a new image w pixels wide and h pixels tall, to be used in conjunction with blit_image.
create_matrix [ArrayLabels]
create_matrix [Array]
create_object [CamlinternalOO]
create_object_and_run_initializers [CamlinternalOO]
create_object_opt [CamlinternalOO]
create_process [UnixLabels]
create_process prog args new_stdin new_stdout new_stderr forks a new process that executes the program in file prog, with arguments args.
create_process [Unix]
create_process prog args new_stdin new_stdout new_stderr forks a new process that executes the program in file prog, with arguments args.
create_process_env [UnixLabels]
create_process_env prog args env new_stdin new_stdout new_stderr works as UnixLabels.create_process, except that the extra argument env specifies the environment passed to the program.
create_process_env [Unix]
create_process_env prog args env new_stdin new_stdout new_stderr works as Unix.create_process, except that the extra argument env specifies the environment passed to the program.
create_table [CamlinternalOO]
curr [Location]
Get the location of the current token from the lexbuf.
current [Arg]
Position (in Sys.argv) of the argument being processed.
current_dir_name [Filename]
The conventional name for the current directory (e.g.
current_point [Graphics]
Return the position of the current point.
current_x [Graphics]
Return the abscissa of the current point.
current_y [Graphics]
Return the ordinate of the current point.
curveto [Graphics]
curveto b c d draws a cubic Bezier curve starting from the current point to point d, with control points b and c, and moves the current point to d.
custom_runtime [Clflags]
custom_tag [Obj]
cut_at [Misc]
String.cut_at s c returns a pair containing the sub-string before the first occurrence of c in s, and the sub-string after the first occurrence of c in s.
cyan [Graphics]
cygwin [Sys]
True if Sys.os_type = "Cygwin".

D
data [Identifiable.S.Map]
data_size [Marshal]
debug [Clflags]
decl [Ast_helper.Te]
decr [Pervasives]
Decrement the integer contained in the given reference.
decr_num [Num]
decr r is r:=!r-1, where r is a reference to a number.
default [Arg_helper.Make]
default_available_units [Dynlink]
Reset the set of units that can be referenced from dynamically-linked code to its default value, that is, all units composing the currently running program.
default_error_reporter [Location]
Original error reporter for use in hooks.
default_executable_name [Config]
default_inline_alloc_cost [Clflags]
default_inline_branch_cost [Clflags]
default_inline_branch_factor [Clflags]
default_inline_call_cost [Clflags]
default_inline_indirect_cost [Clflags]
default_inline_lifting_benefit [Clflags]
default_inline_max_depth [Clflags]
default_inline_max_unroll [Clflags]
default_inline_prim_cost [Clflags]
default_inline_threshold [Clflags]
default_inline_toplevel_threshold [Clflags]
default_iterator [Ast_iterator]
A default iterator, which implements a "do not do anything" mapping.
default_loc [Ast_helper]
Default value for all optional location arguments.
default_mapper [Ast_mapper]
A default mapper, which implements a "deep identity" mapping.
default_simplify_rounds [Clflags]
default_styles [Misc.Color]
default_unbox_closures_factor [Clflags]
default_warning_printer [Location]
Original warning printer for use in hooks.
defaults_w [Warnings]
defaults_warn_error [Warnings]
delay [Thread]
delay d suspends the execution of the calling thread for d seconds.
delete_alarm [Gc]
delete_alarm a will stop the calls to the function associated to a.
delete_eol_spaces [Misc]
delete_eol_spaces s returns a fresh copy of s with any end of line spaces removed.
deprecated_of_attrs [Builtin_attributes]
deprecated_of_sig [Builtin_attributes]
deprecated_of_str [Builtin_attributes]
descr_of_in_channel [UnixLabels]
Return the descriptor corresponding to an input channel.
descr_of_in_channel [Unix]
Return the descriptor corresponding to an input channel.
descr_of_out_channel [UnixLabels]
Return the descriptor corresponding to an output channel.
descr_of_out_channel [Unix]
Return the descriptor corresponding to an output channel.
did_you_mean [Misc]
did_you_mean ppf get_choices hints that the user may have meant one of the option returned by calling get_choices.
diff [MoreLabels.Set.S]
diff [Set.S]
Set difference.
dim [Bigarray.Array1]
Return the size (dimension) of the given one-dimensional big array.
dim1 [Bigarray.Array3]
Return the first dimension of the given three-dimensional big array.
dim1 [Bigarray.Array2]
Return the first dimension of the given two-dimensional big array.
dim2 [Bigarray.Array3]
Return the second dimension of the given three-dimensional big array.
dim2 [Bigarray.Array2]
Return the second dimension of the given two-dimensional big array.
dim3 [Bigarray.Array3]
Return the third dimension of the given three-dimensional big array.
dims [Bigarray.Genarray]
Genarray.dims a returns all dimensions of the big array a, as an array of integers of length Genarray.num_dims a.
dir_sep [Filename]
The directory separator (e.g.
dirname [Filename]
disjoint_union [Identifiable.S.Map]
disjoint_union m1 m2 contains all bindings from m1 and m2.
display_mode [Graphics]
Set display mode on or off.
div [Targetint]
Integer division.
div [Nativeint]
Integer division.
div [Int64]
Integer division.
div [Int32]
Integer division.
div [Complex]
Division
div_big_int [Big_int]
Euclidean quotient of two big integers.
div_num [Num]
Division
dlcode [Clflags]
dllibs [Clflags]
dllpaths [Clflags]
docs_attr [Docstrings]
docstring [Docstrings]
Create a docstring
docstring_body [Docstrings]
Get the text of a docstring
docstring_loc [Docstrings]
Get the location of a docstring
domain_of_sockaddr [UnixLabels]
Return the socket domain adequate for the given socket address.
domain_of_sockaddr [Unix]
Return the socket domain adequate for the given socket address.
dont_write_files [Clflags]
double_array_tag [Obj]
double_field [Obj]
double_tag [Obj]
draw_arc [Graphics]
draw_arc x y rx ry a1 a2 draws an elliptical arc with center x,y, horizontal radius rx, vertical radius ry, from angle a1 to angle a2 (in degrees).
draw_char [Graphics]
draw_circle [Graphics]
draw_circle x y r draws a circle with center x,y and radius r.
draw_ellipse [Graphics]
draw_ellipse x y rx ry draws an ellipse with center x,y, horizontal radius rx and vertical radius ry.
draw_image [Graphics]
Draw the given image with lower left corner at the given point.
draw_poly [Graphics]
draw_poly polygon draws the given polygon.
draw_poly_line [Graphics]
draw_poly_line points draws the line that joins the points given by the array argument.
draw_rect [Graphics]
draw_rect x y w h draws the rectangle with lower left corner at x,y, width w and height h.
draw_segments [Graphics]
draw_segments segments draws the segments given in the array argument.
draw_string [Graphics]
Draw a character or a character string with lower left corner at current position.
drop_ppx_context_sig [Ast_mapper]
Same as drop_ppx_context_str, but for signatures.
drop_ppx_context_str [Ast_mapper]
Drop the ocaml.ppx.context attribute from a structure.
dummy_class [CamlinternalOO]
dummy_pos [Lexing]
A value of type position, guaranteed to be different from any valid position.
dummy_table [CamlinternalOO]
dump_clambda [Clflags]
dump_cmm [Clflags]
dump_combine [Clflags]
dump_cse [Clflags]
dump_flambda [Clflags]
dump_flambda_let [Clflags]
dump_flambda_verbose [Clflags]
dump_image [Graphics]
Convert an image to a color matrix.
dump_instr [Clflags]
dump_interf [Clflags]
dump_lambda [Clflags]
dump_linear [Clflags]
dump_live [Clflags]
dump_parsetree [Clflags]
dump_prefer [Clflags]
dump_rawclambda [Clflags]
dump_rawflambda [Clflags]
dump_rawlambda [Clflags]
dump_regalloc [Clflags]
dump_reload [Clflags]
dump_scheduling [Clflags]
dump_selection [Clflags]
dump_source [Clflags]
dump_spill [Clflags]
dump_split [Clflags]
dump_typedtree [Clflags]
dumped_pass [Clflags]
dup [UnixLabels]
Return a new file descriptor referencing the same file as the given descriptor.
dup [Unix]
Return a new file descriptor referencing the same file as the given descriptor.
dup [Obj]
dup2 [UnixLabels]
dup2 fd1 fd2 duplicates fd1 to fd2, closing fd2 if already opened.
dup2 [Unix]
dup2 fd1 fd2 duplicates fd1 to fd2, closing fd2 if already opened.

E
echo_eof [Location]
edit_distance [Misc]
edit_distance a b cutoff computes the edit distance between strings a and b.
elements [MoreLabels.Set.S]
elements [Set.S]
Return the list of all elements of the given set.
emit_external_warnings [Builtin_attributes]
empty [Tbl]
empty [Stream]
Return () if the stream is empty, else raise Stream.Failure.
empty [MoreLabels.Set.S]
empty [MoreLabels.Map.S]
empty [Map.S]
The empty map.
empty [Set.S]
The empty set.
empty [BytesLabels]
A byte sequence of size 0.
empty [Bytes]
A byte sequence of size 0.
empty_docs [Docstrings]
empty_info [Docstrings]
empty_text [Docstrings]
empty_text_lazy [Docstrings]
enable_runtime_warnings [Sys]
Control whether the OCaml runtime system can emit warnings on stderr.
enabled [Spacetime]
enabled is true if the compiler is configured with spacetime and false otherwise
end_of_input [Scanf.Scanning]
Scanning.end_of_input ic tests the end-of-input condition of the given Scanf.Scanning.in_channel formatted input channel.
environment [UnixLabels]
Return the process environment, as an array of strings with the format ``variable=value''.
environment [Unix]
Return the process environment, as an array of strings with the format ``variable=value''.
eprintf [Printf]
Same as Printf.fprintf, but output on stderr.
eprintf [Format]
Same as fprintf above, but output on err_formatter.
epsilon_float [Pervasives]
The difference between 1.0 and the smallest exactly representable floating-point number greater than 1.0.
eq_big_int [Big_int]
eq_num [Num]
equal [Uchar]
equal u u' is u = u'.
equal [Targetint]
The equal function for target ints.
equal [String]
The equal function for strings.
equal [StringLabels]
The equal function for strings.
equal [Nativeint]
The equal function for native ints.
equal [MoreLabels.Set.S]
equal [MoreLabels.Map.S]
equal [Misc.Stdlib.Option]
equal [Misc.Stdlib.List]
Returns true iff the given lists have the same length and content with respect to the given equality function.
equal [Int64]
The equal function for int64s.
equal [Int32]
The equal function for int32s.
equal [Hashtbl.SeededHashedType]
The equality predicate used to compare keys.
equal [Hashtbl.HashedType]
The equality predicate used to compare keys.
equal [Digest]
The equal function for 16-character digest.
equal [Map.S]
equal cmp m1 m2 tests whether the maps m1 and m2 are equal, that is, contain equal keys and associate them with equal data.
equal [Set.S]
equal s1 s2 tests whether the sets s1 and s2 are equal, that is, contain equal elements.
equal [Char]
The equal function for chars.
equal [BytesLabels]
The equality function for byte sequences.
equal [Bytes]
The equality function for byte sequences.
erase_rel [CamlinternalFormatBasics]
err_formatter [Format]
A formatter to use with formatting functions below for output to standard error.
error [Location]
error_message [UnixLabels]
Return a string describing the given error code.
error_message [Unix]
Return a string describing the given error code.
error_message [Dynlink]
Convert an error description to a printable message.
error_of_exn [Location]
error_of_extension [Builtin_attributes]
error_of_printer [Location]
error_of_printer_file [Location]
error_reporter [Location]
Hook for intercepting error reports.
error_size [Clflags]
errorf [Location]
escaped [String]
Return a copy of the argument, with special characters represented by escape sequences, following the lexical conventions of OCaml.
escaped [StringLabels]
Return a copy of the argument, with special characters represented by escape sequences, following the lexical conventions of OCaml.
escaped [Char]
Return a string representing the given character, with special characters escaped following the lexical conventions of OCaml.
escaped [BytesLabels]
Return a copy of the argument, with special characters represented by escape sequences, following the lexical conventions of OCaml.
escaped [Bytes]
Return a copy of the argument, with special characters represented by escape sequences, following the lexical conventions of OCaml.
establish_server [UnixLabels]
Establish a server on the given address.
establish_server [Unix]
Establish a server on the given address.
eval [Ast_helper.Str]
exception_ [Ast_helper.Str]
exception_ [Ast_helper.Sig]
exception_ [Ast_helper.Pat]
exec_magic_number [Config]
executable_name [Sys]
The name of the file containing the executable currently running.
execv [UnixLabels]
execv prog args execute the program in file prog, with the arguments args, and the current process environment.
execv [Unix]
execv prog args execute the program in file prog, with the arguments args, and the current process environment.
execv [ThreadUnix]
execve [UnixLabels]
Same as UnixLabels.execv, except that the third argument provides the environment to the program executed.
execve [Unix]
Same as Unix.execv, except that the third argument provides the environment to the program executed.
execve [ThreadUnix]
execvp [UnixLabels]
Same as UnixLabels.execv, except that the program is searched in the path.
execvp [Unix]
Same as Unix.execv, except that the program is searched in the path.
execvp [ThreadUnix]
execvpe [UnixLabels]
Same as UnixLabels.execve, except that the program is searched in the path.
execvpe [Unix]
Same as Unix.execve, except that the program is searched in the path.
exists [MoreLabels.Set.S]
exists [MoreLabels.Map.S]
exists [ListLabels]
exists p [a1; ...; an] checks if at least one element of the list satisfies the predicate p.
exists [List]
exists p [a1; ...; an] checks if at least one element of the list satisfies the predicate p.
exists [Map.S]
exists p m checks if at least one binding of the map satisfies the predicate p.
exists [Set.S]
exists p s checks if at least one element of the set satisfies the predicate p.
exists [ArrayLabels]
Array.exists p [|a1; ...; an|] checks if at least one element of the array satisfies the predicate p.
exists [Array]
Array.exists p [|a1; ...; an|] checks if at least one element of the array satisfies the predicate p.
exists2 [ListLabels]
Same as List.exists, but for a two-argument predicate.
exists2 [List]
Same as List.exists, but for a two-argument predicate.
exit [Thread]
Terminate prematurely the currently executing thread.
exit [Pervasives]
Terminate the process, returning the given status code to the operating system: usually 0 to indicate no errors, and a small positive integer to indicate failure.
exn_slot_id [Printexc]
Printexc.exn_slot_id returns an integer which uniquely identifies the constructor used to create the exception value exn (in the current runtime).
exn_slot_name [Printexc]
Printexc.exn_slot_name exn returns the internal name of the constructor used to create the exception value exn.
exp [Pervasives]
Exponential.
exp [Complex]
Exponentiation.
expand_directory [Misc]
expand_libname [Ccomp]
explicit_arity [Builtin_attributes]
expm1 [Pervasives]
expm1 x computes exp x -. 1.0, giving numerically-accurate results even if x is close to 0.0.
expression [Printast]
expression [Pprintast]
expression [Parse]
ext_asm [Config]
ext_dll [Config]
ext_lib [Config]
ext_obj [Config]
extend [BytesLabels]
extend s left right returns a new byte sequence that contains the bytes of s, with left uninitialized bytes prepended and right uninitialized bytes appended to it.
extend [Bytes]
extend s left right returns a new byte sequence that contains the bytes of s, with left uninitialized bytes prepended and right uninitialized bytes appended to it.
extension [Filename]
extension name is the shortest suffix ext of name0 where:
extension [Ast_helper.Cf]
extension [Ast_helper.Cl]
extension [Ast_helper.Ctf]
extension [Ast_helper.Cty]
extension [Ast_helper.Str]
extension [Ast_helper.Sig]
extension [Ast_helper.Mod]
extension [Ast_helper.Mty]
extension [Ast_helper.Exp]
extension [Ast_helper.Pat]
extension [Ast_helper.Typ]
extension_constructor [Obj]
extension_id [Obj]
extension_name [Obj]
extension_of_error [Ast_mapper]
Encode an error into an 'ocaml.error' extension node which can be inserted in a generated Parsetree.
extract [Consistbl]
extract_big_int [Big_int]
extract_big_int bi ofs n returns a nonnegative number corresponding to bits ofs to ofs + n - 1 of the binary representation of bi.

F
failwith [Pervasives]
Raise exception Failure with the given string.
fast [Clflags]
fast_sort [ListLabels]
Same as List.sort or List.stable_sort, whichever is faster on typical input.
fast_sort [List]
Same as List.sort or List.stable_sort, whichever is faster on typical input.
fast_sort [ArrayLabels]
Same as Array.sort or Array.stable_sort, whichever is faster on typical input.
fast_sort [Array]
Same as Array.sort or Array.stable_sort, whichever is faster on typical input.
fatal_error [Misc]
fatal_errorf [Misc]
fchmod [UnixLabels]
Change the permissions of an opened file.
fchmod [Unix]
Change the permissions of an opened file.
fchown [UnixLabels]
Change the owner uid and owner gid of an opened file.
fchown [Unix]
Change the owner uid and owner gid of an opened file.
field [Obj]
field [Ast_helper.Type]
field [Ast_helper.Exp]
file [Digest]
Return the digest of the file whose name is given.
file_exists [Sys]
Test if a file with the given name exists.
fill [Weak]
Weak.fill ar ofs len el sets to el all pointers of ar from ofs to ofs + len - 1.
fill [String]
String.fill s start len c modifies byte sequence s in place, replacing len bytes with c, starting at start.
fill [StringLabels]
String.fill s start len c modifies byte sequence s in place, replacing len bytes by c, starting at start.
fill [BytesLabels]
fill s start len c modifies s in place, replacing len characters with c, starting at start.
fill [Bytes]
fill s start len c modifies s in place, replacing len characters with c, starting at start.
fill [Bigarray.Array3]
Fill the given big array with the given value.
fill [Bigarray.Array2]
Fill the given big array with the given value.
fill [Bigarray.Array1]
Fill the given big array with the given value.
fill [Bigarray.Array0]
Fill the given big array with the given value.
fill [Bigarray.Genarray]
Set all elements of a big array to a given value.
fill [ArrayLabels]
Array.fill a ofs len x modifies the array a in place, storing x in elements number ofs to ofs + len - 1.
fill [Array]
Array.fill a ofs len x modifies the array a in place, storing x in elements number ofs to ofs + len - 1.
fill_arc [Graphics]
Fill an elliptical pie slice with the current color.
fill_circle [Graphics]
Fill a circle with the current color.
fill_ellipse [Graphics]
Fill an ellipse with the current color.
fill_poly [Graphics]
Fill the given polygon with the current color.
fill_rect [Graphics]
fill_rect x y w h fills the rectangle with lower left corner at x,y, width w and height h, with the current color.
filter [MoreLabels.Set.S]
filter [MoreLabels.Map.S]
filter [ListLabels]
filter p l returns all the elements of the list l that satisfy the predicate p.
filter [List]
filter p l returns all the elements of the list l that satisfy the predicate p.
filter [Map.S]
filter p m returns the map with all the bindings in m that satisfy predicate p.
filter [Set.S]
filter p s returns the set of all elements in s that satisfy predicate p.
filter [Consistbl]
filter_map [Misc.Stdlib.List]
filter_map f l applies f to every element of l, filters out the None elements and returns the list of the arguments of the Some elements.
filter_map [Identifiable.S.Map]
filter_map_inplace [MoreLabels.Hashtbl.SeededS]
filter_map_inplace [MoreLabels.Hashtbl.S]
filter_map_inplace [MoreLabels.Hashtbl]
filter_map_inplace [Hashtbl.SeededS]
filter_map_inplace [Hashtbl.S]
filter_map_inplace [Hashtbl]
Hashtbl.filter_map_inplace f tbl applies f to all bindings in table tbl and update each binding depending on the result of f.
final_tag [Obj]
finalise [Gc]
finalise f v registers f as a finalisation function for v.
finalise_last [Gc]
same as Gc.finalise except the value is not given as argument.
finalise_release [Gc]
A finalisation function may call finalise_release to tell the GC that it can launch the next finalisation function without waiting for the current one to return.
find [Weak.S]
find t x returns an instance of x found in t.
find [Tbl]
find [MoreLabels.Set.S]
find [MoreLabels.Map.S]
find [MoreLabels.Hashtbl.SeededS]
find [MoreLabels.Hashtbl.S]
find [MoreLabels.Hashtbl]
find [ListLabels]
find p l returns the first element of the list l that satisfies the predicate p.
find [List]
find p l returns the first element of the list l that satisfies the predicate p.
find [Hashtbl.SeededS]
find [Hashtbl.S]
find [Hashtbl]
Hashtbl.find tbl x returns the current binding of x in tbl, or raises Not_found if no such binding exists.
find [Map.S]
find x m returns the current binding of x in m, or raises Not_found if no such binding exists.
find [Set.S]
find x s returns the element of s equal to x (according to Ord.compare), or raise Not_found if no such element exists.
find_all [Weak.S]
find_all t x returns a list of all the instances of x found in t.
find_all [MoreLabels.Hashtbl.SeededS]
find_all [MoreLabels.Hashtbl.S]
find_all [MoreLabels.Hashtbl]
find_all [ListLabels]
find_all is another name for List.filter.
find_all [List]
find_all is another name for List.filter.
find_all [Hashtbl.SeededS]
find_all [Hashtbl.S]
find_all [Hashtbl]
Hashtbl.find_all tbl x returns the list of all data associated with x in tbl.
find_first [MoreLabels.Set.S]
find_first [MoreLabels.Map.S]
find_first [Map.S]
find_first f m, where f is a monotonically increasing function, returns the binding of m with the lowest key k such that f k, or raises Not_found if no such key exists.
find_first [Set.S]
find_first f s, where f is a monotonically increasing function, returns the lowest element e of s such that f e, or raises Not_found if no such element exists.
find_first_opt [MoreLabels.Set.S]
find_first_opt [MoreLabels.Map.S]
find_first_opt [Map.S]
find_first_opt f m, where f is a monotonically increasing function, returns an option containing the binding of m with the lowest key k such that f k, or None if no such key exists.
find_first_opt [Set.S]
find_first_opt f s, where f is a monotonically increasing function, returns an option containing the lowest element e of s such that f e, or None if no such element exists.
find_in_path [Misc]
find_in_path_rel [Misc]
find_in_path_uncap [Misc]
find_last [MoreLabels.Set.S]
find_last [MoreLabels.Map.S]
find_last [Map.S]
find_last f m, where f is a monotonically decreasing function, returns the binding of m with the highest key k such that f k, or raises Not_found if no such key exists.
find_last [Set.S]
find_last f s, where f is a monotonically decreasing function, returns the highest element e of s such that f e, or raises Not_found if no such element exists.
find_last_opt [MoreLabels.Set.S]
find_last_opt [MoreLabels.Map.S]
find_last_opt [Map.S]
find_last_opt f m, where f is a monotonically decreasing function, returns an option containing the binding of m with the highest key k such that f k, or None if no such key exists.
find_last_opt [Set.S]
find_last_opt f s, where f is a monotonically decreasing function, returns an option containing the highest element e of s such that f e, or None if no such element exists.
find_opt [Weak.S]
find_opt t x returns an instance of x found in t or None if there is no such element.
find_opt [MoreLabels.Set.S]
find_opt [MoreLabels.Map.S]
find_opt [MoreLabels.Hashtbl.SeededS]
find_opt [MoreLabels.Hashtbl.S]
find_opt [MoreLabels.Hashtbl]
find_opt [ListLabels]
find p l returns the first element of the list l that satisfies the predicate p.
find_opt [List]
find_opt p l returns the first element of the list l that satisfies the predicate p, or None if there is no value that satisfies p in the list l.
find_opt [Hashtbl.SeededS]
find_opt [Hashtbl.S]
find_opt [Hashtbl]
Hashtbl.find_opt tbl x returns the current binding of x in tbl, or None if no such binding exists.
find_opt [Map.S]
find_opt x m returns Some v if the current binding of x in m is v, or None if no such binding exists.
find_opt [Set.S]
find_opt x s returns the element of s equal to x (according to Ord.compare), or None if no such element exists.
first_chars [Str]
first_chars s n returns the first n characters of s.
first_non_constant_constructor_tag [Obj]
flambda [Config]
flambda_invariant_checks [Clflags]
flatten [Longident]
flatten [ListLabels]
Same as concat.
flatten [List]
An alias for concat.
flexdll_dirs [Config]
float [Random.State]
float [Random]
Random.float bound returns a random floating-point number between 0 and bound (inclusive).
float [Pervasives]
Same as float_of_int.
float [Ast_helper.Const]
float32 [Bigarray]
float64 [Bigarray]
float_const_prop [Clflags]
float_of_big_int [Big_int]
Returns a floating-point number approximating the given big integer.
float_of_bits [Int64]
Return the floating-point number whose internal representation, according to the IEEE 754 floating-point 'double format' bit layout, is the given int64.
float_of_bits [Int32]
Return the floating-point number whose internal representation, according to the IEEE 754 floating-point 'single format' bit layout, is the given int32.
float_of_int [Pervasives]
Convert an integer to floating-point.
float_of_num [Num]
float_of_string [Pervasives]
Convert the given string to a float.
float_of_string_opt [Pervasives]
Same as float_of_string, but returns None instead of raising.
floor [Pervasives]
Round below to an integer value.
floor_num [Num]
floor_num n returns the largest integer smaller or equal to n.
flush [Pervasives]
Flush the buffer associated with the given output channel, performing all pending writes on that channel.
flush_all [Pervasives]
Flush all open output channels; ignore errors.
flush_input [Lexing]
Discard the contents of the buffer and reset the current position to 0.
flush_str_formatter [Format]
Returns the material printed with str_formatter, flushes the formatter and resets the corresponding buffer.
fmt_ebb_of_string [CamlinternalFormat]
fold [Weak.S]
fold f t init computes (f d1 (... (f dN init))) where d1 ... dN are the elements of t in some unspecified order.
fold [Tbl]
fold [Stack]
fold f accu s is (f (... (f (f accu x1) x2) ...) xn) where x1 is the top of the stack, x2 the second element, and xn the bottom element.
fold [Queue]
fold f accu q is equivalent to List.fold_left f accu l, where l is the list of q's elements.
fold [MoreLabels.Set.S]
fold [MoreLabels.Map.S]
fold [MoreLabels.Hashtbl.SeededS]
fold [MoreLabels.Hashtbl.S]
fold [MoreLabels.Hashtbl]
fold [Misc.Stdlib.Option]
fold [Hashtbl.SeededS]
fold [Hashtbl.S]
fold [Hashtbl]
Hashtbl.fold f tbl init computes (f kN dN ... (f k1 d1 init)...), where k1 ... kN are the keys of all bindings in tbl, and d1 ... dN are the associated values.
fold [Map.S]
fold f m a computes (f kN dN ... (f k1 d1 a)...), where k1 ... kN are the keys of all bindings in m (in increasing order), and d1 ... dN are the associated data.
fold [Set.S]
fold f s a computes (f xN ... (f x2 (f x1 a))...), where x1 ... xN are the elements of s, in increasing order.
fold_left [ListLabels]
List.fold_left f a [b1; ...; bn] is f (... (f (f a b1) b2) ...) bn.
fold_left [List]
List.fold_left f a [b1; ...; bn] is f (... (f (f a b1) b2) ...) bn.
fold_left [ArrayLabels]
Array.fold_left f x a computes f (... (f (f x a.(0)) a.(1)) ...) a.(n-1), where n is the length of the array a.
fold_left [Array]
Array.fold_left f x a computes f (... (f (f x a.(0)) a.(1)) ...) a.(n-1), where n is the length of the array a.
fold_left2 [ListLabels]
List.fold_left2 f a [b1; ...; bn] [c1; ...; cn] is f (... (f (f a b1 c1) b2 c2) ...) bn cn.
fold_left2 [List]
List.fold_left2 f a [b1; ...; bn] [c1; ...; cn] is f (... (f (f a b1 c1) b2 c2) ...) bn cn.
fold_right [ListLabels]
List.fold_right f [a1; ...; an] b is f a1 (f a2 (... (f an b) ...)).
fold_right [List]
List.fold_right f [a1; ...; an] b is f a1 (f a2 (... (f an b) ...)).
fold_right [ArrayLabels]
Array.fold_right f a x computes f a.(0) (f a.(1) ( ... (f a.(n-1) x) ...)), where n is the length of the array a.
fold_right [Array]
Array.fold_right f a x computes f a.(0) (f a.(1) ( ... (f a.(n-1) x) ...)), where n is the length of the array a.
fold_right2 [ListLabels]
List.fold_right2 f [a1; ...; an] [b1; ...; bn] c is f a1 b1 (f a2 b2 (... (f an bn c) ...)).
fold_right2 [List]
List.fold_right2 f [a1; ...; an] [b1; ...; bn] c is f a1 b1 (f a2 b2 (... (f an bn c) ...)).
for4 [Misc]
for_ [Ast_helper.Exp]
for_all [MoreLabels.Set.S]
for_all [MoreLabels.Map.S]
for_all [ListLabels]
for_all p [a1; ...; an] checks if all elements of the list satisfy the predicate p.
for_all [List]
for_all p [a1; ...; an] checks if all elements of the list satisfy the predicate p.
for_all [Map.S]
for_all p m checks if all the bindings of the map satisfy the predicate p.
for_all [Set.S]
for_all p s checks if all elements of the set satisfy the predicate p.
for_all [ArrayLabels]
Array.for_all p [|a1; ...; an|] checks if all elements of the array satisfy the predicate p.
for_all [Array]
Array.for_all p [|a1; ...; an|] checks if all elements of the array satisfy the predicate p.
for_all2 [Misc]
for_all2 [ListLabels]
Same as List.for_all, but for a two-argument predicate.
for_all2 [List]
Same as List.for_all, but for a two-argument predicate.
for_package [Clflags]
force [Lazy]
force x forces the suspension x and returns its result.
force [CamlinternalLazy]
force_lazy_block [CamlinternalLazy]
force_newline [Format]
Forces a new line in the current box.
force_poly [Ast_helper.Typ]
force_slash [Clflags]
force_val [Lazy]
force_val x forces the suspension x and returns its result.
force_val [CamlinternalLazy]
force_val_lazy_block [CamlinternalLazy]
foreground [Graphics]
Default background and foreground colors (usually, either black foreground on a white background or white foreground on a black background).
fork [UnixLabels]
Fork a new process.
fork [Unix]
Fork a new process.
format [Printexc.Slot]
format pos slot returns the string representation of slot as raw_backtrace_to_string would format it, assuming it is the pos-th element of the backtrace: the 0-th element is pretty-printed differently than the others.
format_from_string [Scanf]
format_from_string s fmt converts a string argument to a format string, according to the given format string fmt.
format_of_string [Pervasives]
format_of_string s returns a format string read from the string literal s.
format_of_string_fmtty [CamlinternalFormat]
format_of_string_format [CamlinternalFormat]
formatter_for_warnings [Location]
formatter_of_buffer [Format]
formatter_of_buffer b returns a new formatter writing to buffer b.
formatter_of_out_channel [Format]
formatter_of_out_channel oc returns a new formatter that writes to the corresponding channel oc.
fortran_layout [Bigarray]
forward_tag [Obj]
fprintf [Printf]
fprintf outchan format arg1 ... argN formats the arguments arg1 to argN according to the format string format, and outputs the resulting string on the channel outchan.
fprintf [Format]
free_structure_names [Depend]
freeze_char_set [CamlinternalFormat]
frexp [Pervasives]
frexp f returns the pair of the significant and the exponent of f.
from [Stream]
Stream.from f returns a stream built from the function f.
from_bytes [Marshal]
Marshal.from_bytes buff ofs unmarshals a structured value like Marshal.from_channel does, except that the byte representation is not read from a channel, but taken from the byte sequence buff, starting at position ofs.
from_channel [Scanf.Scanning]
Scanning.from_channel ic returns a Scanf.Scanning.in_channel formatted input channel which reads from the regular in_channel input channel ic argument.
from_channel [Marshal]
Marshal.from_channel chan reads from channel chan the byte representation of a structured value, as produced by one of the Marshal.to_* functions, and reconstructs and returns the corresponding value.
from_channel [Lexing]
Create a lexer buffer on the given input channel.
from_file [Scanf.Scanning]
An alias for Scanf.Scanning.open_in above.
from_file_bin [Scanf.Scanning]
An alias for Scanf.Scanning.open_in_bin above.
from_fun [Lazy]
from_fun f is the same as lazy (f ()) but slightly more efficient.
from_function [Scanf.Scanning]
Scanning.from_function f returns a Scanf.Scanning.in_channel formatted input channel with the given function as its reading method.
from_function [Lexing]
Create a lexer buffer with the given function as its reading method.
from_hex [Digest]
Convert a hexadecimal representation back into the corresponding digest.
from_string [Scanf.Scanning]
Scanning.from_string s returns a Scanf.Scanning.in_channel formatted input channel which reads from the given string.
from_string [Marshal]
Same as from_bytes but take a string as argument instead of a byte sequence.
from_string [Lexing]
Create a lexer buffer which reads from the given string.
from_val [Lazy]
from_val v returns an already-forced suspension of v.
fscanf [Scanf]
fst [Pervasives]
Return the first component of a pair.
fst3 [Misc]
fst4 [Misc]
fstat [UnixLabels.LargeFile]
fstat [UnixLabels]
Return the information for the file associated with the given descriptor.
fstat [Unix.LargeFile]
fstat [Unix]
Return the information for the file associated with the given descriptor.
ftruncate [UnixLabels.LargeFile]
ftruncate [UnixLabels]
Truncates the file corresponding to the given descriptor to the given size.
ftruncate [Unix.LargeFile]
ftruncate [Unix]
Truncates the file corresponding to the given descriptor to the given size.
full_init [Random]
Same as Random.init but takes more data as seed.
full_major [Gc]
Do a minor collection, finish the current major collection cycle, and perform a complete new cycle.
full_split [Str]
Same as Str.split_delim, but returns the delimiters as well as the substrings contained between delimiters.
fun_ [Ast_helper.Cl]
fun_ [Ast_helper.Exp]
function_ [Ast_helper.Exp]
functor_ [Ast_helper.Mod]
functor_ [Ast_helper.Mty]

G
gcd_big_int [Big_int]
Greatest common divisor of two big integers.
ge_big_int [Big_int]
ge_num [Num]
genarray_of_array0 [Bigarray]
Return the generic big array corresponding to the given zero-dimensional big array.
genarray_of_array1 [Bigarray]
Return the generic big array corresponding to the given one-dimensional big array.
genarray_of_array2 [Bigarray]
Return the generic big array corresponding to the given two-dimensional big array.
genarray_of_array3 [Bigarray]
Return the generic big array corresponding to the given three-dimensional big array.
get [Weak]
Weak.get ar n returns None if the nth cell of ar is empty, Some x (where x is the value) if it is full.
get [Timings]
returns the runtime in seconds of a completed pass
get [String]
String.get s n returns the character at index n in string s.
get [StringLabels]
String.get s n returns the character at index n in string s.
get [Misc.LongString]
get [Gc]
Return the current values of the GC parameters in a control record.
get [Clflags.Float_arg_helper]
get [Clflags.Int_arg_helper]
get [BytesLabels]
get s n returns the byte at index n in argument s.
get [Bytes]
get s n returns the byte at index n in argument s.
get [Bigarray.Array3]
Array3.get a x y z, also written a.{x,y,z}, returns the element of a at coordinates (x, y, z).
get [Bigarray.Array2]
Array2.get a x y, also written a.{x,y}, returns the element of a at coordinates (x, y).
get [Bigarray.Array1]
Array1.get a x, or alternatively a.{x}, returns the element of a at index x.
get [Bigarray.Array0]
Array0.get a returns the only element in a.
get [Bigarray.Genarray]
Read an element of a generic big array.
get [ArrayLabels]
Array.get a n returns the element number n of array a.
get [Array]
Array.get a n returns the element number n of array a.
get [Arg_helper.Make]
get_all_formatter_output_functions [Format]
get_approx_printing [Arith_status]
get_backtrace [Printexc]
Printexc.get_backtrace () returns a string containing the same exception backtrace that Printexc.print_backtrace would print.
get_bucket [Gc]
get_bucket n returns the current size of the n-th future bucket of the GC smoothing system.
get_callstack [Printexc]
Printexc.get_callstack n returns a description of the top of the call stack on the current program point (for the current thread), with at most n entries.
get_cookie [Ast_mapper]
get_copy [Weak]
Weak.get_copy ar n returns None if the nth cell of ar is empty, Some x (where x is a (shallow) copy of the value) if it is full.
get_credit [Gc]
get_credit () returns the current size of the "work done in advance" counter of the GC smoothing system.
get_data [Obj.Ephemeron]
get_data [Ephemeron.Kn]
get_data [Ephemeron.K2]
get_data [Ephemeron.K1]
Ephemeron.K1.get_data eph returns None if the data of eph is empty, Some x (where x is the data) if it is full.
get_data_copy [Obj.Ephemeron]
get_data_copy [Ephemeron.Kn]
get_data_copy [Ephemeron.K2]
get_data_copy [Ephemeron.K1]
Ephemeron.K1.get_data_copy eph returns None if the data of eph is empty, Some x (where x is a (shallow) copy of the data) if it is full.
get_ellipsis_text [Format]
Return the text of the ellipsis.
get_error_when_null_denominator [Arith_status]
get_floating_precision [Arith_status]
get_formatter_out_functions [Format]
Return the current output functions of the pretty-printer, including line splitting and indentation functions.
get_formatter_output_functions [Format]
Return the current output functions of the pretty-printer.
get_formatter_tag_functions [Format]
Return the current tag functions of the pretty-printer.
get_image [Graphics]
Capture the contents of a rectangle on the screen as an image.
get_key [Obj.Ephemeron]
get_key [Ephemeron.Kn]
get_key [Ephemeron.K1]
Ephemeron.K1.get_key eph returns None if the key of eph is empty, Some x (where x is the key) if it is full.
get_key1 [Ephemeron.K2]
get_key1_copy [Ephemeron.K2]
get_key2 [Ephemeron.K2]
get_key2_copy [Ephemeron.K2]
get_key_copy [Obj.Ephemeron]
get_key_copy [Ephemeron.Kn]
get_key_copy [Ephemeron.K1]
Ephemeron.K1.get_key_copy eph returns None if the key of eph is empty, Some x (where x is a (shallow) copy of the key) if it is full.
get_margin [Format]
Returns the position of the right margin.
get_mark_tags [Format]
Return the current status of tags marking.
get_max_boxes [Format]
Returns the maximum number of boxes allowed before ellipsis.
get_max_indent [Format]
Return the maximum indentation limit (in characters).
get_method [CamlinternalOO]
get_method_label [CamlinternalOO]
get_method_labels [CamlinternalOO]
get_minor_free [Gc]
Return the current size of the free space inside the minor heap.
get_no_payload_attribute [Attr_helper]
The string list argument of the following functions is a list of alternative names for the attribute we are looking for.
get_normalize_ratio [Arith_status]
get_normalize_ratio_when_printing [Arith_status]
get_pos_info [Location]
get_print_tags [Format]
Return the current status of tags printing.
get_public_method [CamlinternalOO]
get_raw_backtrace [Printexc]
Printexc.get_raw_backtrace () returns the same exception backtrace that Printexc.print_backtrace would print, but in a raw format.
get_raw_backtrace_next_slot [Printexc]
get_raw_backtrace_next_slot slot returns the next slot inlined, if any.
get_raw_backtrace_slot [Printexc]
get_raw_backtrace_slot bckt pos returns the slot in position pos in the backtrace bckt.
get_ref [Misc]
get_state [Random]
Return the current state of the generator used by the basic functions.
get_styles [Misc.Color]
get_temp_dir_name [Filename]
The name of the temporary directory: Under Unix, the value of the TMPDIR environment variable, or "/tmp" if the variable is not set.
get_variable [CamlinternalOO]
get_variables [CamlinternalOO]
getaddrinfo [UnixLabels]
getaddrinfo host service opts returns a list of Unix.addr_info records describing socket parameters and addresses suitable for communicating with the given host and service.
getaddrinfo [Unix]
getaddrinfo host service opts returns a list of Unix.addr_info records describing socket parameters and addresses suitable for communicating with the given host and service.
getcwd [UnixLabels]
Return the name of the current working directory.
getcwd [Unix]
Return the name of the current working directory.
getcwd [Sys]
Return the current working directory of the process.
getegid [UnixLabels]
Return the effective group id under which the process runs.
getegid [Unix]
Return the effective group id under which the process runs.
getenv [UnixLabels]
Return the value associated to a variable in the process environment.
getenv [Unix]
Return the value associated to a variable in the process environment, unless the process has special privileges.
getenv [Sys]
Return the value associated to a variable in the process environment.
getenv_opt [Sys]
Return the value associated to a variable in the process environment or None if the variable is unbound.
geteuid [UnixLabels]
Return the effective user id under which the process runs.
geteuid [Unix]
Return the effective user id under which the process runs.
getgid [UnixLabels]
Return the group id of the user executing the process.
getgid [Unix]
Return the group id of the user executing the process.
getgrgid [UnixLabels]
Find an entry in group with the given group id, or raise Not_found.
getgrgid [Unix]
Find an entry in group with the given group id.
getgrnam [UnixLabels]
Find an entry in group with the given name, or raise Not_found.
getgrnam [Unix]
Find an entry in group with the given name.
getgroups [UnixLabels]
Return the list of groups to which the user executing the process belongs.
getgroups [Unix]
Return the list of groups to which the user executing the process belongs.
gethostbyaddr [UnixLabels]
Find an entry in hosts with the given address, or raise Not_found.
gethostbyaddr [Unix]
Find an entry in hosts with the given address.
gethostbyname [UnixLabels]
Find an entry in hosts with the given name, or raise Not_found.
gethostbyname [Unix]
Find an entry in hosts with the given name.
gethostname [UnixLabels]
Return the name of the local host.
gethostname [Unix]
Return the name of the local host.
getitimer [UnixLabels]
Return the current status of the given interval timer.
getitimer [Unix]
Return the current status of the given interval timer.
getlogin [UnixLabels]
Return the login name of the user executing the process.
getlogin [Unix]
Return the login name of the user executing the process.
getnameinfo [UnixLabels]
getnameinfo addr opts returns the host name and service name corresponding to the socket address addr.
getnameinfo [Unix]
getnameinfo addr opts returns the host name and service name corresponding to the socket address addr.
getpeername [UnixLabels]
Return the address of the host connected to the given socket.
getpeername [Unix]
Return the address of the host connected to the given socket.
getpid [UnixLabels]
Return the pid of the process.
getpid [Unix]
Return the pid of the process.
getppid [UnixLabels]
Return the pid of the parent process.
getppid [Unix]
Return the pid of the parent process.
getprotobyname [UnixLabels]
Find an entry in protocols with the given name, or raise Not_found.
getprotobyname [Unix]
Find an entry in protocols with the given name.
getprotobynumber [UnixLabels]
Find an entry in protocols with the given protocol number, or raise Not_found.
getprotobynumber [Unix]
Find an entry in protocols with the given protocol number.
getpwnam [UnixLabels]
Find an entry in passwd with the given name, or raise Not_found.
getpwnam [Unix]
Find an entry in passwd with the given name.
getpwuid [UnixLabels]
Find an entry in passwd with the given user id, or raise Not_found.
getpwuid [Unix]
Find an entry in passwd with the given user id.
getservbyname [UnixLabels]
Find an entry in services with the given name, or raise Not_found.
getservbyname [Unix]
Find an entry in services with the given name.
getservbyport [UnixLabels]
Find an entry in services with the given service number, or raise Not_found.
getservbyport [Unix]
Find an entry in services with the given service number.
getsockname [UnixLabels]
Return the address of the given socket.
getsockname [Unix]
Return the address of the given socket.
getsockopt [UnixLabels]
Return the current status of a boolean-valued option in the given socket.
getsockopt [Unix]
Return the current status of a boolean-valued option in the given socket.
getsockopt_error [UnixLabels]
Return the error condition associated with the given socket, and clear it.
getsockopt_error [Unix]
Return the error condition associated with the given socket, and clear it.
getsockopt_float [UnixLabels]
Same as Unix.getsockopt for a socket option whose value is a floating-point number.
getsockopt_float [Unix]
Same as Unix.getsockopt for a socket option whose value is a floating-point number.
getsockopt_int [UnixLabels]
Same as Unix.getsockopt for an integer-valued socket option.
getsockopt_int [Unix]
Same as Unix.getsockopt for an integer-valued socket option.
getsockopt_optint [UnixLabels]
Same as Unix.getsockopt for a socket option whose value is an int option.
getsockopt_optint [Unix]
Same as Unix.getsockopt for a socket option whose value is an int option.
gettimeofday [UnixLabels]
Same as UnixLabels.time, but with resolution better than 1 second.
gettimeofday [Unix]
Same as Unix.time, but with resolution better than 1 second.
getuid [UnixLabels]
Return the user id of the user executing the process.
getuid [Unix]
Return the user id of the user executing the process.
global_replace [Str]
global_replace regexp templ s returns a string identical to s, except that all substrings of s that match regexp have been replaced by templ.
global_substitute [Str]
global_substitute regexp subst s returns a string identical to s, except that all substrings of s that match regexp have been replaced by the result of function subst.
gmtime [UnixLabels]
Convert a time in seconds, as returned by UnixLabels.time, into a date and a time.
gmtime [Unix]
Convert a time in seconds, as returned by Unix.time, into a date and a time.
gprofile [Clflags]
green [Graphics]
group_beginning [Str]
group_beginning n returns the position of the first character of the substring that was matched by the nth group of the regular expression that was matched by the last call to a matching or searching function (see Str.matched_string for details).
group_end [Str]
group_end n returns the position of the character following the last character of substring that was matched by the nth group of the regular expression that was matched by the last call to a matching or searching function (see Str.matched_string for details).
gt_big_int [Big_int]
Usual boolean comparisons between two big integers.
gt_num [Num]
guard [Event]
guard fn returns the event that, when synchronized, computes fn() and behaves as the resulting event.

H
handle_docstrings [Lexer]
handle_unix_error [UnixLabels]
handle_unix_error f x applies f to x and returns the result.
handle_unix_error [Unix]
handle_unix_error f x applies f to x and returns the result.
has_boxed [Builtin_attributes]
has_no_payload_attribute [Attr_helper]
has_symlink [UnixLabels]
Returns true if the user is able to create symbolic links.
has_symlink [Unix]
Returns true if the user is able to create symbolic links.
has_unboxed [Builtin_attributes]
hash [Uchar]
hash u associates a non-negative integer to u.
hash [MoreLabels.Hashtbl]
hash [Hashtbl.SeededHashedType]
A seeded hashing function on keys.
hash [Hashtbl.HashedType]
A hashing function on keys.
hash [Hashtbl]
Hashtbl.hash x associates a nonnegative integer to any value of any type.
hash_param [MoreLabels.Hashtbl]
hash_param [Hashtbl]
Hashtbl.hash_param meaningful total x computes a hash value for x, with the same properties as for hash.
hd [ListLabels]
Return the first element of the given list.
hd [List]
Return the first element of the given list.
header_size [Marshal]
The bytes representing a marshaled value are composed of a fixed-size header and a variable-sized data part, whose size can be determined from the header.
help_warnings [Warnings]
highlight_locations [Location]
host [Config]
huge_fallback_count [Gc]
Return the number of times we tried to map huge pages and had to fall back to small pages.
hypot [Pervasives]
hypot x y returns sqrt(x *. x + y *. y), that is, the length of the hypotenuse of a right-angled triangle with sides of length x and y, or, equivalently, the distance of the point (x,y) to origin.

I
i [Complex]
The complex number i.
id [Thread]
Return the identifier of the given thread.
id [Oo]
Return an integer identifying this object, unique for the current execution of the program.
ident [Ast_helper.Mod]
ident [Ast_helper.Mty]
ident [Ast_helper.Exp]
ifprintf [Printf]
Same as Printf.fprintf, but does not print anything.
ifprintf [Format]
Same as fprintf above, but does not print anything.
ifthenelse [Ast_helper.Exp]
ignore [Pervasives]
Discard the value of its argument and return ().
ikfprintf [Printf]
Same as kfprintf above, but does not print anything.
ikfprintf [Format]
Same as kfprintf above, but does not print anything.
ill_formed_ast [Syntaxerr]
immediate [Builtin_attributes]
implementation [Printast]
implementation [Parser]
implementation [Parse]
in_channel_length [Pervasives.LargeFile]
in_channel_length [Pervasives]
Return the size (number of characters) of the regular file on which the given channel is opened.
in_channel_of_descr [UnixLabels]
Create an input channel reading from the given descriptor.
in_channel_of_descr [Unix]
Create an input channel reading from the given descriptor.
in_comment [Lexer]
in_file [Location]
Return an empty ghost range located in a given file.
in_string [Lexer]
include_ [Ast_helper.Str]
include_ [Ast_helper.Sig]
include_dirs [Clflags]
incr [Pervasives]
Increment the integer contained in the given reference.
incr_num [Num]
incr r is r:=!r+1, where r is a reference to a number.
index [String]
String.index s c returns the index of the first occurrence of character c in string s.
index [StringLabels]
String.index s c returns the index of the first occurrence of character c in string s.
index [BytesLabels]
index s c returns the index of the first occurrence of byte c in s.
index [Bytes]
index s c returns the index of the first occurrence of byte c in s.
index_from [String]
String.index_from s i c returns the index of the first occurrence of character c in string s after position i.
index_from [StringLabels]
String.index_from s i c returns the index of the first occurrence of character c in string s after position i.
index_from [BytesLabels]
index_from s i c returns the index of the first occurrence of byte c in s after position i.
index_from [Bytes]
index_from s i c returns the index of the first occurrence of byte c in s after position i.
index_from_opt [String]
String.index_from_opt s i c returns the index of the first occurrence of character c in string s after position i or None if c does not occur in s after position i.
index_from_opt [StringLabels]
String.index_from_opt s i c returns the index of the first occurrence of character c in string s after position i or None if c does not occur in s after position i.
index_from_opt [BytesLabels]
index_from _opts i c returns the index of the first occurrence of byte c in s after position i or None if c does not occur in s after position i.
index_from_opt [Bytes]
index_from _opts i c returns the index of the first occurrence of byte c in s after position i or None if c does not occur in s after position i.
index_opt [String]
String.index_opt s c returns the index of the first occurrence of character c in string s, or None if c does not occur in s.
index_opt [StringLabels]
String.index_opt s c returns the index of the first occurrence of character c in string s, or None if c does not occur in s.
index_opt [BytesLabels]
index_opt s c returns the index of the first occurrence of byte c in s or None if c does not occur in s.
index_opt [Bytes]
index_opt s c returns the index of the first occurrence of byte c in s or None if c does not occur in s.
inet6_addr_any [UnixLabels]
A special IPv6 address, for use only with bind, representing all the Internet addresses that the host machine possesses.
inet6_addr_any [Unix]
A special IPv6 address, for use only with bind, representing all the Internet addresses that the host machine possesses.
inet6_addr_loopback [UnixLabels]
A special IPv6 address representing the host machine (::1).
inet6_addr_loopback [Unix]
A special IPv6 address representing the host machine (::1).
inet_addr_any [UnixLabels]
A special IPv4 address, for use only with bind, representing all the Internet addresses that the host machine possesses.
inet_addr_any [Unix]
A special IPv4 address, for use only with bind, representing all the Internet addresses that the host machine possesses.
inet_addr_loopback [UnixLabels]
A special IPv4 address representing the host machine (127.0.0.1).
inet_addr_loopback [Unix]
A special IPv4 address representing the host machine (127.0.0.1).
inet_addr_of_string [UnixLabels]
Conversion from the printable representation of an Internet address to its internal representation.
inet_addr_of_string [Unix]
Conversion from the printable representation of an Internet address to its internal representation.
infinity [Pervasives]
Positive infinity.
infix_tag [Obj]
info_attr [Docstrings]
inherit_ [Ast_helper.Cf]
inherit_ [Ast_helper.Ctf]
inherits [CamlinternalOO]
init [String]
String.init n f returns a string of length n, with character i initialized to the result of f i (called in increasing index order).
init [StringLabels]
init n f returns a string of length n, with character i initialized to the result of f i.
init [Random]
Initialize the generator, using the argument as a seed.
init [Location]
Set the file name and line number of the lexbuf to be the start of the named file.
init [Lexer]
init [Dynlink]
init [Docstrings]
(Re)Initialise all docstring state
init [BytesLabels]
init n f returns a fresh byte sequence of length n, with character i initialized to the result of f i.
init [Bytes]
Bytes.init n f returns a fresh byte sequence of length n, with character i initialized to the result of f i (in increasing index order).
init [ArrayLabels]
Array.init n f returns a fresh array of length n, with element number i initialized to the result of f i.
init [Array]
Array.init n f returns a fresh array of length n, with element number i initialized to the result of f i.
init_class [CamlinternalOO]
init_file [Clflags]
init_mod [CamlinternalMod]
initgroups [UnixLabels]
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.
initgroups [Unix]
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.
initializer_ [Ast_helper.Cf]
inline_alloc_cost [Clflags]
inline_branch_cost [Clflags]
inline_branch_factor [Clflags]
inline_call_cost [Clflags]
inline_indirect_cost [Clflags]
inline_lifting_benefit [Clflags]
inline_max_depth [Clflags]
inline_max_unroll [Clflags]
inline_prim_cost [Clflags]
inline_threshold [Clflags]
inline_toplevel_threshold [Clflags]
inlining_report [Clflags]
input [Pervasives]
input ic buf pos len reads up to len characters from the given channel ic, storing them in byte sequence buf, starting at character number pos.
input [Digest]
Read a digest from the given input channel.
input_binary_int [Pervasives]
Read an integer encoded in binary format (4 bytes, big-endian) from the given input channel.
input_byte [Pervasives]
Same as input_char, but return the 8-bit integer representing the character.
input_bytes [Misc.LongString]
input_char [Pervasives]
Read one character from the given input channel.
input_lexbuf [Location]
input_line [Pervasives]
Read characters from the given input channel, until a newline character is encountered.
input_name [Location]
input_value [Pervasives]
Read the representation of a structured value, as produced by output_value, and return the corresponding value.
int [Random.State]
int [Random]
Random.int bound returns a random integer between 0 (inclusive) and bound (exclusive).
int [Misc.Int_literal_converter]
int [Bigarray]
int [Ast_helper.Const]
int16_signed [Bigarray]
int16_unsigned [Bigarray]
int32 [Random.State]
int32 [Random]
Random.int32 bound returns a random integer between 0 (inclusive) and bound (exclusive).
int32 [Misc.Int_literal_converter]
int32 [Bigarray]
int32 [Ast_helper.Const]
int32_of_big_int [Big_int]
Convert a big integer to a 32-bit integer.
int32_of_big_int_opt [Big_int]
Convert a big integer to a 32-bit integer.
int64 [Random.State]
int64 [Random]
Random.int64 bound returns a random integer between 0 (inclusive) and bound (exclusive).
int64 [Misc.Int_literal_converter]
int64 [Bigarray]
int64 [Ast_helper.Const]
int64_of_big_int [Big_int]
Convert a big integer to a 64-bit integer.
int64_of_big_int_opt [Big_int]
Convert a big integer to a 64-bit integer.
int8_signed [Bigarray]
int8_unsigned [Bigarray]
int_of_big_int [Big_int]
Convert a big integer to a small integer (type int).
int_of_big_int_opt [Big_int]
Convert a big integer to a small integer (type int).
int_of_char [Pervasives]
Return the ASCII code of the argument.
int_of_float [Pervasives]
Truncate the given floating-point number to an integer.
int_of_num [Num]
int_of_num_opt [Num]
int_of_string [Pervasives]
Convert the given string to an integer.
int_of_string_opt [Pervasives]
Same as int_of_string, but returs None instead of raising.
int_size [Sys]
Size of an int.
int_tag [Obj]
integer [Ast_helper.Const]
integer_num [Num]
integer_num n returns the integer closest to n.
inter [MoreLabels.Set.S]
inter [Set.S]
Set intersection.
interactive [Sys]
This reference is initially set to false in standalone programs and to true if the code is being executed under the interactive toplevel system ocaml.
interface [Printast]
interface [Parser]
interface [Parse]
interface_suffix [Config]
interval [Ast_helper.Pat]
inv [Complex]
Multiplicative inverse (1/z).
invalid_arg [Pervasives]
Raise exception Invalid_argument with the given string.
is_active [Warnings]
is_block [Obj]
is_char [Uchar]
is_char u is true iff u is a latin1 OCaml character.
is_directory [Sys]
Returns true if the given name refers to a directory, false if it refers to another kind of file.
is_empty [Stack]
Return true if the given stack is empty, false otherwise.
is_empty [Queue]
Return true if the given queue is empty, false otherwise.
is_empty [MoreLabels.Set.S]
is_empty [MoreLabels.Map.S]
is_empty [Map.S]
Test whether a map is empty or not.
is_empty [Set.S]
Test whether a set is empty or not.
is_error [Warnings]
is_implicit [Filename]
Return true if the file name is relative and does not start with an explicit reference to the current directory (./ or ../ in Unix), false if it starts with an explicit reference to the root directory or the current directory.
is_in_char_set [CamlinternalFormat]
is_inline [Printexc.Slot]
is_inline slot is true when slot refers to a call that got inlined by the compiler, and false when it comes from any other context.
is_int [Obj]
is_int_big_int [Big_int]
Test whether the given big integer is small enough to be representable as a small integer (type int) without loss of precision.
is_integer_num [Num]
Test if a number is an integer
is_native [Dynlink]
true if the program is native, false if the program is bytecode.
is_raise [Printexc.Slot]
is_raise slot is true when slot refers to a raising point in the code, and false when it comes from a simple function call.
is_randomized [MoreLabels.Hashtbl]
is_randomized [Hashtbl]
return if the tables are currently created in randomized mode by default
is_relative [Filename]
Return true if the file name is relative to the current directory, false if it is absolute (i.e.
is_val [Lazy]
is_val x returns true if x has already been forced and did not raise an exception.
is_valid [Uchar]
is_valid n is true iff n is an Unicode scalar value (i.e.
isatty [UnixLabels]
Return true if the given file descriptor refers to a terminal or console window, false otherwise.
isatty [Unix]
Return true if the given file descriptor refers to a terminal or console window, false otherwise.
iter [Weak.S]
iter f t calls f on each element of t, in some unspecified order.
iter [Tbl]
iter [String]
String.iter f s applies function f in turn to all the characters of s.
iter [Stream]
Stream.iter f s scans the whole stream s, applying function f in turn to each stream element encountered.
iter [StringLabels]
String.iter f s applies function f in turn to all the characters of s.
iter [Stack]
iter f s applies f in turn to all elements of s, from the element at the top of the stack to the element at the bottom of the stack.
iter [Queue]
iter f q applies f in turn to all elements of q, from the least recently entered to the most recently entered.
iter [MoreLabels.Set.S]
iter [MoreLabels.Map.S]
iter [MoreLabels.Hashtbl.SeededS]
iter [MoreLabels.Hashtbl.S]
iter [MoreLabels.Hashtbl]
iter [Misc.Stdlib.Option]
iter [ListLabels]
List.iter f [a1; ...; an] applies function f in turn to a1; ...; an.
iter [List]
List.iter f [a1; ...; an] applies function f in turn to a1; ...; an.
iter [Hashtbl.SeededS]
iter [Hashtbl.S]
iter [Hashtbl]
Hashtbl.iter f tbl applies f to all bindings in table tbl.
iter [Map.S]
iter f m applies f to all bindings in map m.
iter [Set.S]
iter f s applies f in turn to all elements of s.
iter [BytesLabels]
iter f s applies function f in turn to all the bytes of s.
iter [Bytes]
iter f s applies function f in turn to all the bytes of s.
iter [ArrayLabels]
Array.iter f a applies function f in turn to all the elements of a.
iter [Array]
Array.iter f a applies function f in turn to all the elements of a.
iter2 [ListLabels]
List.iter2 f [a1; ...; an] [b1; ...; bn] calls in turn f a1 b1; ...; f an bn.
iter2 [List]
List.iter2 f [a1; ...; an] [b1; ...; bn] calls in turn f a1 b1; ...; f an bn.
iter2 [ArrayLabels]
Array.iter2 f a b applies function f to all the elements of a and b.
iter2 [Array]
Array.iter2 f a b applies function f to all the elements of a and b.
iteri [String]
Same as String.iter, but the function is applied to the index of the element as first argument (counting from 0), and the character itself as second argument.
iteri [StringLabels]
Same as String.iter, but the function is applied to the index of the element as first argument (counting from 0), and the character itself as second argument.
iteri [ListLabels]
Same as List.iter, but the function is applied to the index of the element as first argument (counting from 0), and the element itself as second argument.
iteri [List]
Same as List.iter, but the function is applied to the index of the element as first argument (counting from 0), and the element itself as second argument.
iteri [BytesLabels]
Same as Bytes.iter, but the function is applied to the index of the byte as first argument and the byte itself as second argument.
iteri [Bytes]
Same as Bytes.iter, but the function is applied to the index of the byte as first argument and the byte itself as second argument.
iteri [ArrayLabels]
Same as Array.iter, but the function is applied to the index of the element as first argument, and the element itself as second argument.
iteri [Array]
Same as Array.iter, but the function is applied with the index of the element as first argument, and the element itself as second argument.

J
join [Thread]
join th suspends the execution of the calling thread until the thread th has terminated.
junk [Stream]
Remove the first element of the stream, possibly unfreezing it before.

K
kasprintf [Format]
Same as asprintf above, but instead of returning the string, passes it to the first argument.
kbprintf [Printf]
Same as bprintf, but instead of returning immediately, passes the buffer to its first argument at the end of printing.
keep_asm_file [Clflags]
keep_docs [Clflags]
keep_locs [Clflags]
keep_startup_file [Clflags]
key_pressed [Graphics]
Return true if a keypress is available; that is, if read_key would not block.
keys [Identifiable.S.Map]
kfprintf [Printf]
Same as fprintf, but instead of returning immediately, passes the out channel to its first argument at the end of printing.
kfprintf [Format]
Same as fprintf above, but instead of returning immediately, passes the formatter to its first argument at the end of printing.
kfscanf [Scanf]
kill [UnixLabels]
kill pid sig sends signal number sig to the process with id pid.
kill [Unix]
kill pid sig sends signal number sig to the process with id pid.
kill [Thread]
Terminate prematurely the thread whose handle is given.
kind [Bigarray.Array3]
Return the kind of the given big array.
kind [Bigarray.Array2]
Return the kind of the given big array.
kind [Bigarray.Array1]
Return the kind of the given big array.
kind [Bigarray.Array0]
Return the kind of the given big array.
kind [Bigarray.Genarray]
Return the kind of the given big array.
kind_size_in_bytes [Bigarray]
kind_size_in_bytes k is the number of bytes used to store an element of type k.
kprintf [Printf]
A deprecated synonym for ksprintf.
kprintf [Format]
kscanf [Scanf]
Same as Scanf.bscanf, but takes an additional function argument ef that is called in case of error: if the scanning process or some conversion fails, the scanning function aborts and calls the error handling function ef with the formatted input channel and the exception that aborted the scanning process as arguments.
ksprintf [Printf]
Same as sprintf above, but instead of returning the string, passes it to the first argument.
ksprintf [Format]
Same as sprintf above, but instead of returning the string, passes it to the first argument.
ksscanf [Scanf]
Same as Scanf.kscanf but reads from the given string.

L
last [Longident]
last_chars [Str]
last_chars s n returns the last n characters of s.
last_non_constant_constructor_tag [Obj]
layout [Bigarray.Array3]
Return the layout of the given big array.
layout [Bigarray.Array2]
Return the layout of the given big array.
layout [Bigarray.Array1]
Return the layout of the given big array.
layout [Bigarray.Array0]
Return the layout of the given big array.
layout [Bigarray.Genarray]
Return the layout of the given big array.
lazy_ [Ast_helper.Exp]
lazy_ [Ast_helper.Pat]
lazy_from_fun [Lazy]
lazy_from_val [Lazy]
lazy_is_val [Lazy]
lazy_tag [Obj]
lazy_tag [Config]
ldexp [Pervasives]
ldexp x n returns x *. 2 ** n.
le_big_int [Big_int]
le_num [Num]
length [Weak]
Weak.length ar returns the length (number of elements) of ar.
length [String]
Return the length (number of characters) of the given string.
length [StringLabels]
Return the length (number of characters) of the given string.
length [Stack]
Return the number of elements in a stack.
length [Queue]
Return the number of elements in a queue.
length [Obj.Ephemeron]
return the number of keys
length [MoreLabels.Hashtbl.SeededS]
length [MoreLabels.Hashtbl.S]
length [MoreLabels.Hashtbl]
length [Misc.LongString]
length [ListLabels]
Return the length (number of elements) of the given list.
length [List]
Return the length (number of elements) of the given list.
length [Hashtbl.SeededS]
length [Hashtbl.S]
length [Hashtbl]
Hashtbl.length tbl returns the number of bindings in tbl.
length [BytesLabels]
Return the length (number of bytes) of the argument.
length [Bytes]
Return the length (number of bytes) of the argument.
length [Buffer]
Return the number of characters currently contained in the buffer.
length [ArrayLabels]
Return the length (number of elements) of the given array.
length [Array]
Return the length (number of elements) of the given array.
let_ [Ast_helper.Cl]
let_ [Ast_helper.Exp]
letexception [Ast_helper.Exp]
letmodule [Ast_helper.Exp]
lexeme [Lexing]
Lexing.lexeme lexbuf returns the string matched by the regular expression.
lexeme_char [Lexing]
Lexing.lexeme_char lexbuf i returns character number i in the matched string.
lexeme_end [Lexing]
Lexing.lexeme_end lexbuf returns the offset in the input stream of the character following the last character of the matched string.
lexeme_end_p [Lexing]
Like lexeme_end, but return a complete position instead of an offset.
lexeme_start [Lexing]
Lexing.lexeme_start lexbuf returns the offset in the input stream of the first character of the matched string.
lexeme_start_p [Lexing]
Like lexeme_start, but return a complete position instead of an offset.
libunwind_available [Config]
libunwind_link_flags [Config]
lineto [Graphics]
Draw a line with endpoints the current point and the given point, and move the current point to the given point.
link [UnixLabels]
link source dest creates a hard link named dest to the file named source.
link [Unix]
link source dest creates a hard link named dest to the file named source.
link_everything [Clflags]
list [Sort]
Sort a list in increasing order according to an ordering predicate.
list_remove [Misc]
listen [UnixLabels]
Set up a socket for receiving connection requests.
listen [Unix]
Set up a socket for receiving connection requests.
lnot [Pervasives]
Bitwise logical negation.
load_path [Config]
loadfile [Dynlink]
In bytecode: load the given bytecode object file (.cmo file) or bytecode library file (.cma file), and link it with the running program.
loadfile_private [Dynlink]
Same as loadfile, except that the compilation units just loaded are hidden (cannot be referenced) from other modules dynamically loaded afterwards.
localtime [UnixLabels]
Convert a time in seconds, as returned by UnixLabels.time, into a date and a time.
localtime [Unix]
Convert a time in seconds, as returned by Unix.time, into a date and a time.
location [Printexc.Slot]
location slot returns the location information of the slot, if available, and None otherwise.
location_of_error [Syntaxerr]
lock [Mutex]
Lock the given mutex.
lockf [UnixLabels]
lockf fd cmd size puts a lock on a region of the file opened as fd.
lockf [Unix]
lockf fd cmd size puts a lock on a region of the file opened as fd.
log [Pervasives]
Natural logarithm.
log [Complex]
Natural logarithm (in base e).
log10 [Pervasives]
Base 10 logarithm.
log1p [Pervasives]
log1p x computes log(1.0 +. x) (natural logarithm), giving numerically-accurate results even if x is close to 0.0.
log2 [Misc]
logand [Targetint]
Bitwise logical and.
logand [Nativeint]
Bitwise logical and.
logand [Int64]
Bitwise logical and.
logand [Int32]
Bitwise logical and.
lognot [Targetint]
Bitwise logical negation
lognot [Nativeint]
Bitwise logical negation
lognot [Int64]
Bitwise logical negation
lognot [Int32]
Bitwise logical negation
logor [Targetint]
Bitwise logical or.
logor [Nativeint]
Bitwise logical or.
logor [Int64]
Bitwise logical or.
logor [Int32]
Bitwise logical or.
logxor [Targetint]
Bitwise logical exclusive or.
logxor [Nativeint]
Bitwise logical exclusive or.
logxor [Int64]
Bitwise logical exclusive or.
logxor [Int32]
Bitwise logical exclusive or.
lookup_tables [CamlinternalOO]
loop_at_exit [Graphics]
Loop before exiting the program, the list given as argument is the list of handlers and the events on which these handlers are called.
lowercase [String]
Return a copy of the argument, with all uppercase letters translated to lowercase, including accented letters of the ISO Latin-1 (8859-1) character set.
lowercase [StringLabels]
Return a copy of the argument, with all uppercase letters translated to lowercase, including accented letters of the ISO Latin-1 (8859-1) character set.
lowercase [Char]
Convert the given character to its equivalent lowercase character, using the ISO Latin-1 (8859-1) character set.
lowercase [BytesLabels]
Return a copy of the argument, with all uppercase letters translated to lowercase, including accented letters of the ISO Latin-1 (8859-1) character set.
lowercase [Bytes]
Return a copy of the argument, with all uppercase letters translated to lowercase, including accented letters of the ISO Latin-1 (8859-1) character set.
lowercase_ascii [String]
Return a copy of the argument, with all uppercase letters translated to lowercase, using the US-ASCII character set.
lowercase_ascii [StringLabels]
Return a copy of the argument, with all uppercase letters translated to lowercase, using the US-ASCII character set.
lowercase_ascii [Char]
Convert the given character to its equivalent lowercase character, using the US-ASCII character set.
lowercase_ascii [BytesLabels]
Return a copy of the argument, with all uppercase letters translated to lowercase, using the US-ASCII character set.
lowercase_ascii [Bytes]
Return a copy of the argument, with all uppercase letters translated to lowercase, using the US-ASCII character set.
lseek [UnixLabels.LargeFile]
lseek [UnixLabels]
Set the current position for a file descriptor, and return the resulting offset (from the beginning of the file).
lseek [Unix.LargeFile]
See Unix.lseek.
lseek [Unix]
Set the current position for a file descriptor, and return the resulting offset (from the beginning of the file).
lstat [UnixLabels.LargeFile]
lstat [UnixLabels]
Same as UnixLabels.stat, but in case the file is a symbolic link, return the information for the link itself.
lstat [Unix.LargeFile]
lstat [Unix]
Same as Unix.stat, but in case the file is a symbolic link, return the information for the link itself.
lt_big_int [Big_int]
lt_num [Num]

M
magenta [Graphics]
magic [Obj]
major [Gc]
Do a minor collection and finish the current major collection cycle.
major_slice [Gc]
major_slice n Do a minor collection and a slice of major collection.
make [String]
String.make n c returns a fresh string of length n, filled with the character c.
make [StringLabels]
String.make n c returns a fresh string of length n, filled with the character c.
make [Random.State]
Create a new state and initialize it with the given seed.
make [BytesLabels]
make n c returns a new byte sequence of length n, filled with the byte c.
make [Bytes]
make n c returns a new byte sequence of length n, filled with the byte c.
make [ArrayLabels]
Array.make n x returns a fresh array of length n, initialized with x.
make [Array]
Array.make n x returns a fresh array of length n, initialized with x.
make_archive [Clflags]
make_class [CamlinternalOO]
make_class_store [CamlinternalOO]
make_float [ArrayLabels]
make_float [Array]
make_formatter [Format]
make_formatter out flush returns a new formatter that writes according to the output function out, and the flushing function flush.
make_image [Graphics]
Convert the given color matrix to an image.
make_iprintf [CamlinternalFormat]
make_leaf [Depend]
make_lexer [Genlex]
Construct the lexer function.
make_matrix [ArrayLabels]
Array.make_matrix dimx dimy e returns a two-dimensional array (an array of arrays) with first dimension dimx and second dimension dimy.
make_matrix [Array]
Array.make_matrix dimx dimy e returns a two-dimensional array (an array of arrays) with first dimension dimx and second dimension dimy.
make_node [Depend]
make_package [Clflags]
make_printf [CamlinternalFormat]
make_runtime [Clflags]
make_self_init [Random.State]
Create a new state and initialize it with a system-dependent low-entropy seed.
map [Tbl]
map [String]
String.map f s applies function f in turn to all the characters of s (in increasing index order) and stores the results in a new string that is returned.
map [StringLabels]
String.map f s applies function f in turn to all the characters of s and stores the results in a new string that is returned.
map [MoreLabels.Set.S]
map [MoreLabels.Map.S]
map [Misc.Stdlib.Option]
map [ListLabels]
List.map f [a1; ...; an] applies function f to a1, ..., an, and builds the list [f a1; ...; f an] with the results returned by f.
map [List]
List.map f [a1; ...; an] applies function f to a1, ..., an, and builds the list [f a1; ...; f an] with the results returned by f.
map [Identifiable.S.Tbl]
map [Identifiable.S.Set]
map [Map.S]
map f m returns a map with same domain as m, where the associated value a of all bindings of m has been replaced by the result of the application of f to a.
map [Set.S]
map f s is the set whose elements are f a0,f a1...
map [BytesLabels]
map f s applies function f in turn to all the bytes of s and stores the resulting bytes in a new sequence that is returned as the result.
map [Bytes]
map f s applies function f in turn to all the bytes of s (in increasing index order) and stores the resulting bytes in a new sequence that is returned as the result.
map [ArrayLabels]
Array.map f a applies function f to all the elements of a, and builds an array with the results returned by f: [| f a.(0); f a.(1); ...; f a.(Array.length a - 1) |].
map [Array]
Array.map f a applies function f to all the elements of a, and builds an array with the results returned by f: [| f a.(0); f a.(1); ...; f a.(Array.length a - 1) |].
map2 [ListLabels]
List.map2 f [a1; ...; an] [b1; ...; bn] is [f a1 b1; ...; f an bn].
map2 [List]
List.map2 f [a1; ...; an] [b1; ...; bn] is [f a1 b1; ...; f an bn].
map2 [ArrayLabels]
Array.map2 f a b applies function f to all the elements of a and b, and builds an array with the results returned by f: [| f a.(0) b.(0); ...; f a.(Array.length a - 1) b.(Array.length b - 1)|].
map2 [Array]
Array.map2 f a b applies function f to all the elements of a and b, and builds an array with the results returned by f: [| f a.(0) b.(0); ...; f a.(Array.length a - 1) b.(Array.length b - 1)|].
map2_prefix [Misc.Stdlib.List]
let r1, r2 = map2_prefix f l1 l2 If l1 is of length n and l2 = h2 @ t2 with h2 of length n, r1 is List.map2 f l1 h1 and r2 is t2.
map_end [Misc]
map_file [Bigarray.Array3]
Memory mapping of a file as a three-dimensional big array.
map_file [Bigarray.Array2]
Memory mapping of a file as a two-dimensional big array.
map_file [Bigarray.Array1]
Memory mapping of a file as a one-dimensional big array.
map_file [Bigarray.Genarray]
Memory mapping of a file as a big array.
map_keys [Identifiable.S.Map]
map_left_right [Misc]
map_opt [Ast_mapper]
mapi [String]
String.mapi f s calls f with each character of s and its index (in increasing index order) and stores the results in a new string that is returned.
mapi [StringLabels]
String.mapi f s calls f with each character of s and its index (in increasing index order) and stores the results in a new string that is returned.
mapi [MoreLabels.Map.S]
mapi [ListLabels]
Same as List.map, but the function is applied to the index of the element as first argument (counting from 0), and the element itself as second argument.
mapi [List]
Same as List.map, but the function is applied to the index of the element as first argument (counting from 0), and the element itself as second argument.
mapi [Map.S]
Same as Map.S.map, but the function receives as arguments both the key and the associated value for each binding of the map.
mapi [BytesLabels]
mapi f s calls f with each character of s and its index (in increasing index order) and stores the resulting bytes in a new sequence that is returned as the result.
mapi [Bytes]
mapi f s calls f with each character of s and its index (in increasing index order) and stores the resulting bytes in a new sequence that is returned as the result.
mapi [ArrayLabels]
Same as Array.map, but the function is applied to the index of the element as first argument, and the element itself as second argument.
mapi [Array]
Same as Array.map, but the function is applied to the index of the element as first argument, and the element itself as second argument.
mark_rhs_docs [Docstrings]
Mark as associated the item documentation for the symbols between two positions (for ambiguity warnings)
mark_symbol_docs [Docstrings]
Mark the item documentation for the current symbol (for ambiguity warnings).
marshal [Obj]
match_ [Ast_helper.Exp]
match_beginning [Str]
match_beginning() returns the position of the first character of the substring that was matched by the last call to a matching or searching function (see Str.matched_string for details).
match_end [Str]
match_end() returns the position of the character following the last character of the substring that was matched by the last call to a matching or searching function (see Str.matched_string for details).
matched_group [Str]
matched_group n s returns the substring of s that was matched by the nth group \(...\) of the regular expression that was matched by the last call to a matching or searching function (see Str.matched_string for details).
matched_string [Str]
matched_string s returns the substring of s that was matched by the last call to one of the following matching or searching functions: Str.string_match, Str.search_forward, Str.search_backward, Str.string_partial_match, Str.global_substitute, Str.substitute_first provided that none of the following functions was called inbetween: Str.global_replace, Str.replace_first, Str.split, Str.bounded_split, Str.split_delim, Str.bounded_split_delim, Str.full_split, Str.bounded_full_split Note: in the case of global_substitute and substitute_first, a call to matched_string is only valid within the subst argument, not after global_substitute or substitute_first returns.
max [Uchar]
max is U+10FFFF.
max [Pervasives]
Return the greater of the two arguments.
max_array_length [Sys]
Maximum length of a normal array.
max_big_int [Big_int]
Return the greater of its two arguments.
max_binding [MoreLabels.Map.S]
max_binding [Map.S]
Same as Map.S.min_binding, but returns the largest binding of the given map.
max_binding_opt [MoreLabels.Map.S]
max_binding_opt [Map.S]
Same as Map.S.min_binding_opt, but returns the largest binding of the given map.
max_elt [MoreLabels.Set.S]
max_elt [Set.S]
Same as Set.S.min_elt, but returns the largest element of the given set.
max_elt_opt [MoreLabels.Set.S]
max_elt_opt [Set.S]
Same as Set.S.min_elt_opt, but returns the largest element of the given set.
max_float [Pervasives]
The largest positive finite value of type float.
max_int [Targetint]
The greatest representable target integer, either 231 - 1 on a 32-bit platform, or 263 - 1 on a 64-bit platform.
max_int [Pervasives]
The greatest representable integer.
max_int [Nativeint]
The greatest representable native integer, either 231 - 1 on a 32-bit platform, or 263 - 1 on a 64-bit platform.
max_int [Int64]
The greatest representable 64-bit integer, 263 - 1.
max_int [Int32]
The greatest representable 32-bit integer, 231 - 1.
max_num [Num]
Return the greater of the two arguments.
max_string_length [Sys]
Maximum length of strings and byte sequences.
max_tag [Config]
max_young_wosize [Config]
may [Misc]
may_map [Misc]
mem [Weak.S]
mem t x returns true if there is at least one instance of x in t, false otherwise.
mem [Tbl]
mem [MoreLabels.Set.S]
mem [MoreLabels.Map.S]
mem [MoreLabels.Hashtbl.SeededS]
mem [MoreLabels.Hashtbl.S]
mem [MoreLabels.Hashtbl]
mem [ListLabels]
mem a l is true if and only if a is equal to an element of l.
mem [List]
mem a l is true if and only if a is equal to an element of l.
mem [Hashtbl.SeededS]
mem [Hashtbl.S]
mem [Hashtbl]
Hashtbl.mem tbl x checks if x is bound in tbl.
mem [Map.S]
mem x m returns true if m contains a binding for x, and false otherwise.
mem [Set.S]
mem x s tests whether x belongs to the set s.
mem [ArrayLabels]
mem x a is true if and only if x is equal to an element of a.
mem [Array]
mem a l is true if and only if a is equal to an element of l.
mem_assoc [ListLabels]
Same as List.assoc, but simply return true if a binding exists, and false if no bindings exist for the given key.
mem_assoc [List]
Same as List.assoc, but simply return true if a binding exists, and false if no bindings exist for the given key.
mem_assq [ListLabels]
Same as List.mem_assoc, but uses physical equality instead of structural equality to compare keys.
mem_assq [List]
Same as List.mem_assoc, but uses physical equality instead of structural equality to compare keys.
memoize [Identifiable.S.Tbl]
memq [ListLabels]
Same as List.mem, but uses physical equality instead of structural equality to compare list elements.
memq [List]
Same as List.mem, but uses physical equality instead of structural equality to compare list elements.
memq [ArrayLabels]
Same as Array.mem, but uses physical equality instead of structural equality to compare list elements.
memq [Array]
Same as Array.mem, but uses physical equality instead of structural equality to compare array elements.
merge [Weak.S]
merge t x returns an instance of x found in t if any, or else adds x to t and return x.
merge [Sort]
Merge two lists according to the given predicate.
merge [MoreLabels.Map.S]
merge [ListLabels]
Merge two lists: Assuming that l1 and l2 are sorted according to the comparison function cmp, merge cmp l1 l2 will return a sorted list containting all the elements of l1 and l2.
merge [List]
Merge two lists: Assuming that l1 and l2 are sorted according to the comparison function cmp, merge cmp l1 l2 will return a sorted list containting all the elements of l1 and l2.
merge [Map.S]
merge f m1 m2 computes a map whose keys is a subset of keys of m1 and of m2.
method_ [Ast_helper.Cf]
method_ [Ast_helper.Ctf]
min [Uchar]
min is U+0000.
min [Pervasives]
Return the smaller of the two arguments.
min_big_int [Big_int]
Return the smaller of its two arguments.
min_binding [MoreLabels.Map.S]
min_binding [Map.S]
Return the smallest binding of the given map (with respect to the Ord.compare ordering), or raise Not_found if the map is empty.
min_binding_opt [MoreLabels.Map.S]
min_binding_opt [Map.S]
Return the smallest binding of the given map (with respect to the Ord.compare ordering), or None if the map is empty.
min_elt [MoreLabels.Set.S]
min_elt [Set.S]
Return the smallest element of the given set (with respect to the Ord.compare ordering), or raise Not_found if the set is empty.
min_elt_opt [MoreLabels.Set.S]
min_elt_opt [Set.S]
Return the smallest element of the given set (with respect to the Ord.compare ordering), or None if the set is empty.
min_float [Pervasives]
The smallest positive, non-zero, non-denormalized value of type float.
min_int [Targetint]
The smallest representable target integer, either -231 on a 32-bit platform, or -263 on a 64-bit platform.
min_int [Pervasives]
The smallest representable integer.
min_int [Nativeint]
The smallest representable native integer, either -231 on a 32-bit platform, or -263 on a 64-bit platform.
min_int [Int64]
The smallest representable 64-bit integer, -263.
min_int [Int32]
The smallest representable 32-bit integer, -231.
min_num [Num]
Return the smaller of the two arguments.
minor [Gc]
Trigger a minor collection.
minor_words [Gc]
Number of words allocated in the minor heap since the program was started.
minus_big_int [Big_int]
Unary negation.
minus_num [Num]
Unary negation.
minus_one [Targetint]
The target integer -1.
minus_one [Nativeint]
The native integer -1.
minus_one [Int64]
The 64-bit integer -1.
minus_one [Int32]
The 32-bit integer -1.
mk [Ast_helper.Cstr]
mk [Ast_helper.Csig]
mk [Ast_helper.Ci]
mk [Ast_helper.Cf]
mk [Ast_helper.Cl]
mk [Ast_helper.Ctf]
mk [Ast_helper.Cty]
mk [Ast_helper.Vb]
mk [Ast_helper.Incl]
mk [Ast_helper.Opn]
mk [Ast_helper.Mb]
mk [Ast_helper.Mtd]
mk [Ast_helper.Md]
mk [Ast_helper.Str]
mk [Ast_helper.Sig]
mk [Ast_helper.Mod]
mk [Ast_helper.Mty]
mk [Ast_helper.Te]
mk [Ast_helper.Type]
mk [Ast_helper.Val]
mk [Ast_helper.Exp]
mk [Ast_helper.Pat]
mk [Ast_helper.Typ]
mkdir [UnixLabels]
Create a directory with the given permissions.
mkdir [Unix]
Create a directory with the given permissions (see Unix.umask).
mkdll [Config]
mkexe [Config]
mkfifo [UnixLabels]
Create a named pipe with the given permissions.
mkfifo [Unix]
Create a named pipe with the given permissions (see Unix.umask).
mkloc [Location]
mkmaindll [Config]
mknoloc [Location]
mktime [UnixLabels]
Convert a date and time, specified by the tm argument, into a time in seconds, as returned by UnixLabels.time.
mktime [Unix]
Convert a date and time, specified by the tm argument, into a time in seconds, as returned by Unix.time.
mod_big_int [Big_int]
Euclidean modulus of two big integers.
mod_float [Pervasives]
mod_float a b returns the remainder of a with respect to b.
mod_num [Num]
Euclidean division: remainder.
model [Config]
modf [Pervasives]
modf f returns the pair of the fractional and integral part of f.
modtype [Ast_helper.Str]
modtype [Ast_helper.Sig]
module_ [Ast_helper.Str]
module_ [Ast_helper.Sig]
mouse_pos [Graphics]
Return the position of the mouse cursor, relative to the graphics window.
moveto [Graphics]
Position the current point.
mul [Targetint]
Multiplication.
mul [Nativeint]
Multiplication.
mul [Int64]
Multiplication.
mul [Int32]
Multiplication.
mul [Complex]
Multiplication
mult_big_int [Big_int]
Multiplication of two big integers.
mult_int_big_int [Big_int]
Multiplication of a big integer by a small integer
mult_num [Num]
Multiplication

N
name_of_input [Scanf.Scanning]
Scanning.name_of_input ic returns the name of the character source for the given Scanf.Scanning.in_channel formatted input channel.
nan [Pervasives]
A special floating-point value denoting the result of an undefined operation such as 0.0 /. 0.0.
narrow [CamlinternalOO]
nat_of_num [Num]
nat_of_num_opt [Num]
native_c_compiler [Config]
native_c_libraries [Config]
native_code [Clflags]
native_pack_linker [Config]
nativeint [Random.State]
nativeint [Random]
Random.nativeint bound returns a random integer between 0 (inclusive) and bound (exclusive).
nativeint [Misc.Int_literal_converter]
nativeint [Bigarray]
nativeint [Ast_helper.Const]
nativeint_of_big_int [Big_int]
Convert a big integer to a native integer.
nativeint_of_big_int_opt [Big_int]
Convert a big integer to a native integer.
neg [Targetint]
Unary negation.
neg [Nativeint]
Unary negation.
neg [Int64]
Unary negation.
neg [Int32]
Unary negation.
neg [Complex]
Unary negation.
neg_infinity [Pervasives]
Negative infinity.
new_ [Ast_helper.Exp]
new_block [Obj]
new_channel [Event]
Return a new channel.
new_line [Lexing]
Update the lex_curr_p field of the lexbuf to reflect the start of a new line.
new_method [CamlinternalOO]
new_methods_variables [CamlinternalOO]
new_variable [CamlinternalOO]
newtype [Ast_helper.Exp]
next [Stream]
Return the first element of the stream and remove it from the stream.
nice [UnixLabels]
Change the process priority.
nice [Unix]
Change the process priority.
no_auto_link [Clflags]
no_check_prims [Clflags]
no_overflow_add [Misc]
no_overflow_lsl [Misc]
no_overflow_mul [Misc]
no_overflow_sub [Misc]
no_scan_tag [Obj]
no_std_include [Clflags]
noassert [Clflags]
noinit [Clflags]
none [Location]
An arbitrary value of type t; describes an empty ghost range.
nopervasives [Clflags]
noprompt [Clflags]
nopromptcont [Clflags]
norm [Complex]
Norm: given x + i.y, returns sqrt(x^2 + y^2).
norm2 [Complex]
Norm squared: given x + i.y, returns x^2 + y^2.
normalise_eol [Misc]
normalise_eol s returns a fresh copy of s with any '\r' characters removed.
not [Pervasives]
The boolean negation.
noversion [Clflags]
npeek [Stream]
npeek n returns the list of the n first elements of the stream, or all its remaining elements if less than n elements are available.
nth [ListLabels]
Return the n-th element of the given list.
nth [List]
Return the n-th element of the given list.
nth [Buffer]
Get the n-th character of the buffer.
nth_dim [Bigarray.Genarray]
Genarray.nth_dim a n returns the n-th dimension of the big array a.
nth_opt [ListLabels]
Return the n-th element of the given list.
nth_opt [List]
Return the n-th element of the given list.
num_bits_big_int [Big_int]
Return the number of significant bits in the absolute value of the given big integer.
num_digits_big_int [Big_int]
Return the number of machine words used to store the given big integer.
num_dims [Bigarray.Genarray]
Return the number of dimensions of the given big array.
num_of_big_int [Num]
num_of_int [Num]
num_of_nat [Num]
num_of_ratio [Num]
num_of_string [Num]
Convert a string to a number.
num_of_string_opt [Num]
Convert a string to a number.

O
o1_arguments [Clflags]
o2_arguments [Clflags]
o3_arguments [Clflags]
obj [Obj]
object_ [Ast_helper.Exp]
object_ [Ast_helper.Typ]
object_tag [Obj]
objfiles [Clflags]
ocaml_version [Sys]
ocaml_version is the version of OCaml.
of_array [Bigarray.Array3]
Build a three-dimensional big array initialized from the given array of arrays of arrays.
of_array [Bigarray.Array2]
Build a two-dimensional big array initialized from the given array of arrays.
of_array [Bigarray.Array1]
Build a one-dimensional big array initialized from the given array.
of_bytes [Stream]
Return the stream of the characters of the bytes parameter.
of_channel [Stream]
Return the stream of the characters read from the input channel.
of_char [Uchar]
of_char c is c as an Unicode character.
of_float [Targetint]
Convert the given floating-point number to a target integer, discarding the fractional part (truncate towards 0).
of_float [Nativeint]
Convert the given floating-point number to a native integer, discarding the fractional part (truncate towards 0).
of_float [Int64]
Convert the given floating-point number to a 64-bit integer, discarding the fractional part (truncate towards 0).
of_float [Int32]
Convert the given floating-point number to a 32-bit integer, discarding the fractional part (truncate towards 0).
of_int [Uchar]
of_int i is i as an Unicode character.
of_int [Targetint]
Convert the given integer (type int) to a target integer (type t), module the target word size.
of_int [Nativeint]
Convert the given integer (type int) to a native integer (type nativeint).
of_int [Int64]
Convert the given integer (type int) to a 64-bit integer (type int64).
of_int [Int32]
Convert the given integer (type int) to a 32-bit integer (type int32).
of_int32 [Targetint]
Convert the given 32-bit integer (type int32) to a target integer.
of_int32 [Nativeint]
Convert the given 32-bit integer (type int32) to a native integer.
of_int32 [Int64]
Convert the given 32-bit integer (type int32) to a 64-bit integer (type int64).
of_int64 [Targetint]
Convert the given 64-bit integer (type int64) to a target integer.
of_int_exn [Targetint]
Convert the given integer (type int) to a target integer (type t).
of_list [Stream]
Return the stream holding the elements of the list in the same order.
of_list [MoreLabels.Set.S]
of_list [Identifiable.S.Tbl]
of_list [Identifiable.S.Map]
of_list [Identifiable.S.Set]
of_list [Set.S]
of_list l creates a set from a list of elements.
of_list [ArrayLabels]
Array.of_list l returns a fresh array containing the elements of l.
of_list [Array]
Array.of_list l returns a fresh array containing the elements of l.
of_map [Identifiable.S.Tbl]
of_nativeint [Int64]
Convert the given native integer (type nativeint) to a 64-bit integer (type int64).
of_set [Identifiable.S.Map]
of_string [Targetint]
Convert the given string to a target integer.
of_string [Stream]
Return the stream of the characters of the string parameter.
of_string [Nativeint]
Convert the given string to a native integer.
of_string [Int64]
Convert the given string to a 64-bit integer.
of_string [Int32]
Convert the given string to a 32-bit integer.
of_string [BytesLabels]
Return a new byte sequence that contains the same bytes as the given string.
of_string [Bytes]
Return a new byte sequence that contains the same bytes as the given string.
of_string_opt [Nativeint]
Same as of_string, but return None instead of raising.
of_string_opt [Int64]
Same as of_string, but return None instead of raising.
of_string_opt [Int32]
Same as of_string, but return None instead of raising.
of_value [Bigarray.Array0]
Build a zero-dimensional big array initialized from the given value.
one [Targetint]
The target integer 1.
one [Nativeint]
The native integer 1.
one [Int64]
The 64-bit integer 1.
one [Int32]
The 32-bit integer 1.
one [Complex]
The complex number 1.
opaque [Clflags]
opaque_identity [Sys]
For the purposes of optimization, opaque_identity behaves like an unknown (and thus possibly side-effecting) function.
open_ [Ast_helper.Str]
open_ [Ast_helper.Sig]
open_ [Ast_helper.Exp]
open_ [Ast_helper.Pat]
open_box [Format]
open_box d opens a new pretty-printing box with offset d.
open_box_of_string [CamlinternalFormat]
open_connection [UnixLabels]
Connect to a server at the given address.
open_connection [Unix]
Connect to a server at the given address.
open_connection [ThreadUnix]
open_graph [Graphics]
Show the graphics window or switch the screen to graphic mode.
open_hbox [Format]
open_hbox () opens a new 'horizontal' pretty-printing box.
open_hovbox [Format]
open_hovbox d opens a new 'horizontal-or-vertical' pretty-printing box with offset d.
open_hvbox [Format]
open_hvbox d opens a new 'horizontal-vertical' pretty-printing box with offset d.
open_in [Scanf.Scanning]
Scanning.open_in fname returns a Scanf.Scanning.in_channel formatted input channel for bufferized reading in text mode from file fname.
open_in [Pervasives]
Open the named file for reading, and return a new input channel on that file, positioned at the beginning of the file.
open_in_bin [Scanf.Scanning]
Scanning.open_in_bin fname returns a Scanf.Scanning.in_channel formatted input channel for bufferized reading in binary mode from file fname.
open_in_bin [Pervasives]
Same as open_in, but the file is opened in binary mode, so that no translation takes place during reads.
open_in_gen [Pervasives]
open_in_gen mode perm filename opens the named file for reading, as described above.
open_module [Depend]
open_modules [Clflags]
open_out [Pervasives]
Open the named file for writing, and return a new output channel on that file, positioned at the beginning of the file.
open_out_bin [Pervasives]
Same as open_out, but the file is opened in binary mode, so that no translation takes place during writes.
open_out_gen [Pervasives]
open_out_gen mode perm filename opens the named file for writing, as described above.
open_process [UnixLabels]
Same as UnixLabels.open_process_out, but redirects both the standard input and standard output of the command to pipes connected to the two returned channels.
open_process [Unix]
Same as Unix.open_process_out, but redirects both the standard input and standard output of the command to pipes connected to the two returned channels.
open_process [ThreadUnix]
open_process_full [UnixLabels]
Similar to UnixLabels.open_process, but the second argument specifies the environment passed to the command.
open_process_full [Unix]
Similar to Unix.open_process, but the second argument specifies the environment passed to the command.
open_process_in [UnixLabels]
High-level pipe and process management.
open_process_in [Unix]
High-level pipe and process management.
open_process_in [ThreadUnix]
open_process_out [UnixLabels]
Same as UnixLabels.open_process_in, but redirect the standard input of the command to a pipe.
open_process_out [Unix]
Same as Unix.open_process_in, but redirect the standard input of the command to a pipe.
open_process_out [ThreadUnix]
open_subwindow [GraphicsX11]
Create a sub-window of the current OCaml graphics window and return its identifier.
open_tag [Format]
open_tag t opens the tag named t; the print_open_tag function of the formatter is called with t as argument; the tag marker mark_open_tag t will be flushed into the output device of the formatter.
open_tbox [Format]
open_temp_file [Filename]
Same as Filename.temp_file, but returns both the name of a fresh temporary file, and an output channel opened (atomically) on this file.
open_vbox [Format]
open_vbox d opens a new 'vertical' pretty-printing box with offset d.
opendir [UnixLabels]
Open a descriptor on a directory
opendir [Unix]
Open a descriptor on a directory
openfile [UnixLabels]
Open the named file with the given flags.
openfile [Unix]
Open the named file with the given flags.
optimize_for_speed [Clflags]
or_ [Ast_helper.Pat]
or_big_int [Big_int]
Bitwise logical 'or'.
os_type [Sys]
Operating system currently executing the OCaml program.
out_channel_length [Pervasives.LargeFile]
out_channel_length [Pervasives]
Return the size (number of characters) of the regular file on which the given channel is opened.
out_channel_of_descr [UnixLabels]
Create an output channel writing on the given descriptor.
out_channel_of_descr [Unix]
Create an output channel writing on the given descriptor.
out_of_heap_tag [Obj]
output [Pervasives]
output oc buf pos len writes len characters from byte sequence buf, starting at offset pos, to the given output channel oc.
output [Misc.LongString]
output [Identifiable.S.Set]
output [Identifiable.Thing]
output [Digest]
Write a digest on the given output channel.
output_acc [CamlinternalFormat]
output_binary_int [Pervasives]
Write one integer in binary format (4 bytes, big-endian) on the given output channel.
output_buffer [Buffer]
output_buffer oc b writes the current contents of buffer b on the output channel oc.
output_byte [Pervasives]
Write one 8-bit integer (as the single character with that code) on the given output channel.
output_bytes [Pervasives]
Write the byte sequence on the given output channel.
output_c_object [Clflags]
output_char [Pervasives]
Write the character on the given output channel.
output_complete_object [Clflags]
output_name [Clflags]
output_string [Pervasives]
Write the string on the given output channel.
output_substring [Pervasives]
Same as output but take a string as argument instead of a byte sequence.
output_value [Pervasives]
Write the representation of a structured value of any type to a channel.
over_max_boxes [Format]
Tests if the maximum number of boxes allowed have already been opened.
override [Ast_helper.Exp]

P
pack [Ast_helper.Exp]
package [Ast_helper.Typ]
param_format_of_ignored_format [CamlinternalFormat]
params [CamlinternalOO]
parent_dir_name [Filename]
The conventional name for the parent of the current directory (e.g.
parse [Longident]
parse [Clflags.Float_arg_helper]
parse [Clflags.Int_arg_helper]
parse [Arg_helper.Make]
parse [Arg]
Arg.parse speclist anon_fun usage_msg parses the command line.
parse_and_expand_argv_dynamic [Arg]
Same as Arg.parse_argv_dynamic, except that the argv argument is a reference and may be updated during the parsing of Expand arguments.
parse_arguments [Clflags]
parse_argv [Arg]
Arg.parse_argv ~current args speclist anon_fun usage_msg parses the array args as if it were the command line.
parse_argv_dynamic [Arg]
Same as Arg.parse_argv, except that the speclist argument is a reference and may be updated during the parsing.
parse_color_setting [Clflags]
parse_core_type [Parser]
parse_dynamic [Arg]
Same as Arg.parse, except that the speclist argument is a reference and may be updated during the parsing.
parse_expand [Arg]
Same as Arg.parse, except that the Expand arguments are allowed and the Arg.current reference is not updated.
parse_expression [Parser]
parse_no_error [Clflags.Float_arg_helper]
parse_no_error [Clflags.Int_arg_helper]
parse_no_error [Arg_helper.Make]
parse_options [Warnings]
parse_pattern [Parser]
partition [MoreLabels.Set.S]
partition [MoreLabels.Map.S]
partition [ListLabels]
partition p l returns a pair of lists (l1, l2), where l1 is the list of all the elements of l that satisfy the predicate p, and l2 is the list of all the elements of l that do not satisfy p.
partition [List]
partition p l returns a pair of lists (l1, l2), where l1 is the list of all the elements of l that satisfy the predicate p, and l2 is the list of all the elements of l that do not satisfy p.
partition [Map.S]
partition p m returns a pair of maps (m1, m2), where m1 contains all the bindings of s that satisfy the predicate p, and m2 is the map with all the bindings of s that do not satisfy p.
partition [Set.S]
partition p s returns a pair of sets (s1, s2), where s1 is the set of all the elements of s that satisfy the predicate p, and s2 is the set of all the elements of s that do not satisfy p.
pattern [Pprintast]
pattern [Parse]
pause [UnixLabels]
Wait until a non-ignored, non-blocked signal is delivered.
pause [Unix]
Wait until a non-ignored, non-blocked signal is delivered.
payload [Printast]
peek [Stream]
Return Some of "the first element" of the stream, or None if the stream is empty.
peek [Queue]
peek q returns the first element in queue q, without removing it from the queue, or raises Queue.Empty if the queue is empty.
pic_code [Clflags]
pipe [UnixLabels]
Create a pipe.
pipe [Unix]
Create a pipe.
pipe [ThreadUnix]
plot [Graphics]
Plot the given point with the current drawing color.
plots [Graphics]
Plot the given points with the current drawing color.
point_color [Graphics]
Return the color of the given point in the backing store (see "Double buffering" below).
polar [Complex]
polar norm arg returns the complex having norm norm and argument arg.
poll [Event]
Non-blocking version of Event.sync: offer all the communication possibilities specified in the event to the outside world, and if one can take place immediately, perform it and return Some r where r is the result value of that communication.
poly [Ast_helper.Exp]
poly [Ast_helper.Typ]
pop [Stack]
pop s removes and returns the topmost element in stack s, or raises Stack.Empty if the stack is empty.
pop [Queue]
pop is a synonym for take.
pos_in [Pervasives.LargeFile]
pos_in [Pervasives]
Return the current reading position for the given channel.
pos_out [Pervasives.LargeFile]
pos_out [Pervasives]
Return the current writing position for the given channel.
pow [Complex]
Power function.
power_big_int_positive_big_int [Big_int]
Exponentiation functions.
power_big_int_positive_int [Big_int]
power_int_positive_big_int [Big_int]
power_int_positive_int [Big_int]
power_num [Num]
Exponentiation
pp_close_box [Format]
pp_close_tag [Format]
pp_close_tbox [Format]
pp_flush_formatter [Format]
pp_flush_formatter fmt flushes fmt's internal queue, ensuring that all the printing and flushing actions have been performed.
pp_force_newline [Format]
pp_get_all_formatter_output_functions [Format]
pp_get_ellipsis_text [Format]
pp_get_formatter_out_functions [Format]
These functions are the basic ones: usual functions operating on the standard formatter are defined via partial evaluation of these primitives.
pp_get_formatter_output_functions [Format]
pp_get_formatter_tag_functions [Format]
pp_get_margin [Format]
pp_get_mark_tags [Format]
pp_get_max_boxes [Format]
pp_get_max_indent [Format]
pp_get_print_tags [Format]
pp_open_box [Format]
pp_open_hbox [Format]
pp_open_hovbox [Format]
pp_open_hvbox [Format]
pp_open_tag [Format]
pp_open_tbox [Format]
pp_open_vbox [Format]
pp_over_max_boxes [Format]
pp_print_as [Format]
pp_print_bool [Format]
pp_print_break [Format]
pp_print_char [Format]
pp_print_cut [Format]
pp_print_float [Format]
pp_print_flush [Format]
pp_print_if_newline [Format]
pp_print_int [Format]
pp_print_list [Format]
pp_print_list ?pp_sep pp_v ppf l prints items of list l, using pp_v to print each item, and calling pp_sep between items (pp_sep defaults to Format.pp_print_cut).
pp_print_newline [Format]
pp_print_space [Format]
pp_print_string [Format]
pp_print_tab [Format]
pp_print_tbreak [Format]
pp_print_text [Format]
pp_print_text ppf s prints s with spaces and newlines respectively printed with Format.pp_print_space and Format.pp_force_newline.
pp_set_all_formatter_output_functions [Format]
pp_set_ellipsis_text [Format]
pp_set_formatter_out_channel [Format]
pp_set_formatter_out_functions [Format]
pp_set_formatter_output_functions [Format]
pp_set_formatter_tag_functions [Format]
pp_set_margin [Format]
pp_set_mark_tags [Format]
pp_set_max_boxes [Format]
pp_set_max_indent [Format]
pp_set_print_tags [Format]
pp_set_tab [Format]
pp_set_tags [Format]
pred [Uchar]
pred u is the scalar value before u in the set of Unicode scalar values.
pred [Targetint]
Predecessor.
pred [Pervasives]
pred x is x - 1.
pred [Nativeint]
Predecessor.
pred [Int64]
Predecessor.
pred [Int32]
Predecessor.
pred_big_int [Big_int]
Predecessor (subtract 1).
pred_num [Num]
pred n is n-1
preprocessor [Clflags]
prerr_bytes [Pervasives]
Print a byte sequence on standard error.
prerr_char [Pervasives]
Print a character on standard error.
prerr_endline [Pervasives]
Print a string, followed by a newline character on standard error and flush standard error.
prerr_float [Pervasives]
Print a floating-point number, in decimal, on standard error.
prerr_int [Pervasives]
Print an integer, in decimal, on standard error.
prerr_newline [Pervasives]
Print a newline character on standard error, and flush standard error.
prerr_string [Pervasives]
Print a string on standard error.
prerr_warning [Location]
primitive [Ast_helper.Str]
principal [Clflags]
print [Warnings]
print [Timings]
Prints all recorded timings to the formatter.
print [Tbl]
print [Printexc]
Printexc.print fn x applies fn to x and returns the result.
print [Location]
print [Identifiable.S.Map]
print [Identifiable.S.Set]
print [Identifiable.Thing]
print_arguments [Clflags]
print_as [Format]
print_as len str prints str in the current box.
print_backtrace [Printexc]
Printexc.print_backtrace oc prints an exception backtrace on the output channel oc.
print_bool [Format]
Prints a boolean in the current box.
print_break [Format]
print_break nspaces offset the 'full' break hint: the pretty-printer may split the line at this point, otherwise it prints nspaces spaces.
print_bytes [Pervasives]
Print a byte sequence on standard output.
print_char [Pervasives]
Print a character on standard output.
print_char [Format]
Prints a character in the current box.
print_compact [Location]
print_config [Config]
print_cut [Format]
print_cut () the 'cut' break hint: the pretty-printer may split the line at this point, otherwise it prints nothing.
print_endline [Pervasives]
Print a string, followed by a newline character, on standard output and flush standard output.
print_error [Location]
print_error_cur_file [Location]
print_error_prefix [Location]
print_filename [Location]
print_float [Pervasives]
Print a floating-point number, in decimal, on standard output.
print_float [Format]
Prints a floating point number in the current box.
print_flush [Format]
Flushes the pretty printer: all opened boxes are closed, and all pending text is displayed.
print_if_newline [Format]
Executes the next formatting command if the preceding line has just been split.
print_int [Pervasives]
Print an integer, in decimal, on standard output.
print_int [Format]
Prints an integer in the current box.
print_loc [Location]
print_newline [Pervasives]
Print a newline character on standard output, and flush standard output.
print_newline [Format]
Equivalent to print_flush followed by a new line.
print_raw_backtrace [Printexc]
Print a raw backtrace in the same format Printexc.print_backtrace uses.
print_space [Format]
print_space () the 'space' break hint: the pretty-printer may split the line at this point, otherwise it prints one space.
print_stat [Gc]
Print the current values of the memory management counters (in human-readable form) into the channel argument.
print_string [Pervasives]
Print a string on standard output.
print_string [Format]
print_string str prints str in the current box.
print_tab [Format]
print_tbreak [Format]
print_timings [Clflags]
print_types [Clflags]
print_warning [Location]
print_warnings [Lexer]
printf [Printf]
Same as Printf.fprintf, but output on stdout.
printf [Format]
Same as fprintf above, but output on std_formatter.
profiling [Config]
profinfo [Config]
profinfo_width [Config]
prohibit [Dynlink]
prohibit units prohibits dynamically-linked units from referencing the units named in list units.
protect_refs [Misc]
protect_refs l f temporarily sets r to v for each R (r, v) in l while executing f.
public_method_label [CamlinternalOO]
push [Stack]
push x s adds the element x at the top of stack s.
push [Queue]
push is a synonym for add.
putenv [UnixLabels]
Unix.putenv name value sets the value associated to a variable in the process environment.
putenv [Unix]
Unix.putenv name value sets the value associated to a variable in the process environment.

Q
quick_stat [Gc]
Same as stat except that live_words, live_blocks, free_words, free_blocks, largest_free, and fragments are set to 0.
quo_num [Num]
Euclidean division: quotient.
quomod_big_int [Big_int]
Euclidean division of two big integers.
quote [Str]
Str.quote s returns a regexp string that matches exactly s and nothing else.
quote [Filename]
Return a quoted version of a file name, suitable for use as one argument in a command line, escaping all meta-characters.
quote_files [Ccomp]
quote_optfile [Ccomp]

R
raise [Pervasives]
Raise the given exception value
raise_direct_hook_exn [Misc]
A hook can use raise_unwrapped_hook_exn to raise an exception that will not be wrapped into a Misc.HookExnWrapper.
raise_errorf [Location]
raise_notrace [Pervasives]
A faster version raise which does not record the backtrace.
raise_with_backtrace [Printexc]
Reraise the exception using the given raw_backtrace for the origin of the exception
randomize [MoreLabels.Hashtbl]
randomize [Hashtbl]
After a call to Hashtbl.randomize(), hash tables are created in randomized mode by default: Hashtbl.create returns randomized hash tables, unless the ~random:false optional parameter is given.
ranlib [Config]
ratio_of_num [Num]
raw_backtrace_length [Printexc]
raw_backtrace_length bckt returns the number of slots in the backtrace bckt.
raw_backtrace_to_string [Printexc]
Return a string from a raw backtrace, in the same format Printexc.get_backtrace uses.
rcontains_from [String]
String.rcontains_from s stop c tests if character c appears in s before position stop+1.
rcontains_from [StringLabels]
String.rcontains_from s stop c tests if character c appears in s before position stop+1.
rcontains_from [BytesLabels]
rcontains_from s stop c tests if byte c appears in s before position stop+1.
rcontains_from [Bytes]
rcontains_from s stop c tests if byte c appears in s before position stop+1.
reachable_words [Obj]
Computes the total size (in words, including the headers) of all heap blocks accessible from the argument.
read [UnixLabels]
read fd buff ofs len reads len bytes from descriptor fd, storing them in byte sequence buff, starting at position ofs in buff.
read [Unix]
read fd buff ofs len reads len bytes from descriptor fd, storing them in byte sequence buff, starting at position ofs in buff.
read [ThreadUnix]
read_arg [Arg]
Arg.read_arg file reads newline-terminated command line arguments from file file.
read_arg0 [Arg]
Identical to Arg.read_arg but assumes null character terminated command line arguments.
read_float [Pervasives]
Flush standard output, then read one line from standard input and convert it to a floating-point number.
read_float_opt [Pervasives]
Flush standard output, then read one line from standard input and convert it to a floating-point number.
read_int [Pervasives]
Flush standard output, then read one line from standard input and convert it to an integer.
read_int_opt [Pervasives]
Same as read_int_opt, but returs None instead of raising.
read_key [Graphics]
Wait for a key to be pressed, and return the corresponding character.
read_line [Pervasives]
Flush standard output, then read characters from standard input until a newline character is encountered.
readdir [UnixLabels]
Return the next entry in a directory.
readdir [Unix]
Return the next entry in a directory.
readdir [Sys]
Return the names of all files present in the given directory.
readlink [UnixLabels]
Read the contents of a link.
readlink [Unix]
Read the contents of a symbolic link.
real_paths [Clflags]
really_input [Pervasives]
really_input ic buf pos len reads len characters from channel ic, storing them in byte sequence buf, starting at character number pos.
really_input_string [Pervasives]
really_input_string ic len reads len characters from channel ic and returns them in a new string.
rebind [Ast_helper.Te]
rec_module [Ast_helper.Str]
rec_module [Ast_helper.Sig]
recast [CamlinternalFormat]
receive [Event]
receive ch returns the event consisting in receiving a value from the channel ch.
record [Ast_helper.Exp]
record [Ast_helper.Pat]
record_backtrace [Printexc]
Printexc.record_backtrace b turns recording of exception backtraces on (if b = true) or off (if b = false).
recursive_types [Clflags]
recv [UnixLabels]
Receive data from a connected socket.
recv [Unix]
Receive data from a connected socket.
recv [ThreadUnix]
recvfrom [UnixLabels]
Receive data from an unconnected socket.
recvfrom [Unix]
Receive data from an unconnected socket.
recvfrom [ThreadUnix]
red [Graphics]
ref [Pervasives]
Return a fresh reference containing the given value.
regexp [Str]
Compile a regular expression.
regexp_case_fold [Str]
Same as regexp, but the compiled expression will match text in a case-insensitive way: uppercase and lowercase letters will be considered equivalent.
regexp_string [Str]
Str.regexp_string s returns a regular expression that matches exactly s and nothing else.
regexp_string_case_fold [Str]
Str.regexp_string_case_fold is similar to Str.regexp_string, but the regexp matches in a case-insensitive way.
register [Docstrings]
Register a docstring
register [Callback]
Callback.register n v registers the value v under the name n.
register [Ast_mapper]
Apply the register_function.
register_error_of_exn [Location]
register_exception [Callback]
Callback.register_exception n exn registers the exception contained in the exception value exn under the name n.
register_function [Ast_mapper]
register_printer [Printexc]
Printexc.register_printer fn registers fn as an exception printer.
rem [Targetint]
Integer remainder.
rem [Nativeint]
Integer remainder.
rem [Int64]
Integer remainder.
rem [Int32]
Integer remainder.
remember_mode [Graphics]
Set remember mode on or off.
remove [Weak.S]
remove t x removes from t one instance of x.
remove [Tbl]
remove [Sys]
Remove the given file name from the file system.
remove [MoreLabels.Set.S]
remove [MoreLabels.Map.S]
remove [MoreLabels.Hashtbl.SeededS]
remove [MoreLabels.Hashtbl.S]
remove [MoreLabels.Hashtbl]
remove [Hashtbl.SeededS]
remove [Hashtbl.S]
remove [Hashtbl]
Hashtbl.remove tbl x removes the current binding of x in tbl, restoring the previous binding if it exists.
remove [Map.S]
remove x m returns a map containing the same bindings as m, except for x which is unbound in the returned map.
remove [Set.S]
remove x s returns a set containing all elements of s, except x.
remove_assoc [ListLabels]
remove_assoc a l returns the list of pairs l without the first pair with key a, if any.
remove_assoc [List]
remove_assoc a l returns the list of pairs l without the first pair with key a, if any.
remove_assq [ListLabels]
Same as List.remove_assoc, but uses physical equality instead of structural equality to compare keys.
remove_assq [List]
Same as List.remove_assoc, but uses physical equality instead of structural equality to compare keys.
remove_extension [Filename]
Return the given file name without its extension, as defined in Filename.extension.
remove_file [Misc]
remove_unused_arguments [Clflags]
rename [UnixLabels]
rename old new changes the name of a file from old to new.
rename [Unix]
rename old new changes the name of a file from old to new.
rename [Sys]
Rename a file.
rename [Identifiable.S.Map]
replace [MoreLabels.Hashtbl.SeededS]
replace [MoreLabels.Hashtbl.S]
replace [MoreLabels.Hashtbl]
replace [Hashtbl.SeededS]
replace [Hashtbl.S]
replace [Hashtbl]
Hashtbl.replace tbl x y replaces the current binding of x in tbl by a binding of x to y.
replace_first [Str]
Same as Str.global_replace, except that only the first substring matching the regular expression is replaced.
replace_matched [Str]
replace_matched repl s returns the replacement text repl in which \1, \2, etc.
replace_substring [Misc]
replicate_list [Misc]
report_error [Syntaxerr]
report_error [Location]
report_error [Lexer]
report_error [Attr_helper]
report_exception [Location]
repr [Targetint]
The concrete representation of a native integer.
repr [Obj]
reset [Timings]
erase all recorded times
reset [MoreLabels.Hashtbl.SeededS]
reset [MoreLabels.Hashtbl.S]
reset [MoreLabels.Hashtbl]
reset [Location]
reset [Hashtbl.SeededS]
reset [Hashtbl.S]
reset [Hashtbl]
Empty a hash table and shrink the size of the bucket table to its initial size.
reset [Buffer]
Empty the buffer and deallocate the internal byte sequence holding the buffer contents, replacing it with the initial internal byte sequence of length n that was allocated by Buffer.create n.
reset_base_overrides [Arg_helper.Make]
reset_fatal [Warnings]
reshape [Bigarray]
reshape b [|d1;...;dN|] converts the big array b to a N-dimensional array of dimensions d1...
reshape_0 [Bigarray]
Specialized version of Bigarray.reshape for reshaping to zero-dimensional arrays.
reshape_1 [Bigarray]
Specialized version of Bigarray.reshape for reshaping to one-dimensional arrays.
reshape_2 [Bigarray]
Specialized version of Bigarray.reshape for reshaping to two-dimensional arrays.
reshape_3 [Bigarray]
Specialized version of Bigarray.reshape for reshaping to three-dimensional arrays.
resize_window [Graphics]
Resize and erase the graphics window.
restore [Warnings]
resume [Terminfo]
rev [ListLabels]
List reversal.
rev [List]
List reversal.
rev_append [ListLabels]
List.rev_append l1 l2 reverses l1 and concatenates it to l2.
rev_append [List]
List.rev_append l1 l2 reverses l1 and concatenates it to l2.
rev_char_set [CamlinternalFormat]
rev_map [ListLabels]
List.rev_map f l gives the same result as List.rev (List.map f l), but is tail-recursive and more efficient.
rev_map [List]
List.rev_map f l gives the same result as List.rev (List.map f l), but is tail-recursive and more efficient.
rev_map2 [ListLabels]
List.rev_map2 f l1 l2 gives the same result as List.rev (List.map2 f l1 l2), but is tail-recursive and more efficient.
rev_map2 [List]
List.rev_map2 f l1 l2 gives the same result as List.rev (List.map2 f l1 l2), but is tail-recursive and more efficient.
rev_split_words [Misc]
rewinddir [UnixLabels]
Reposition the descriptor to the beginning of the directory
rewinddir [Unix]
Reposition the descriptor to the beginning of the directory
rgb [Graphics]
rgb r g b returns the integer encoding the color with red component r, green component g, and blue component b.
rhs_docs [Docstrings]
Fetch the item documentation for the symbols between two positions.
rhs_docs_lazy [Docstrings]
rhs_end [Parsing]
rhs_end_pos [Parsing]
Same as rhs_end, but return a position instead of an offset.
rhs_info [Docstrings]
Fetch the field info following the symbol at a given position.
rhs_loc [Location]
rhs_loc n returns the location of the symbol at position n, starting at 1, in the current parser rule.
rhs_post_extra_text [Docstrings]
Fetch additional text following the symbol at the given position
rhs_pre_extra_text [Docstrings]
Fetch additional text preceding the symbol at the given position
rhs_start [Parsing]
Same as Parsing.symbol_start and Parsing.symbol_end, but return the offset of the string matching the nth item on the right-hand side of the rule, where n is the integer parameter to rhs_start and rhs_end.
rhs_start_pos [Parsing]
Same as rhs_start, but return a position instead of an offset.
rhs_text [Docstrings]
Fetch the text preceding the symbol at the given position.
rhs_text_lazy [Docstrings]
rindex [String]
String.rindex s c returns the index of the last occurrence of character c in string s.
rindex [StringLabels]
String.rindex s c returns the index of the last occurrence of character c in string s.
rindex [BytesLabels]
rindex s c returns the index of the last occurrence of byte c in s.
rindex [Bytes]
rindex s c returns the index of the last occurrence of byte c in s.
rindex_from [String]
String.rindex_from s i c returns the index of the last occurrence of character c in string s before position i+1.
rindex_from [StringLabels]
String.rindex_from s i c returns the index of the last occurrence of character c in string s before position i+1.
rindex_from [BytesLabels]
rindex_from s i c returns the index of the last occurrence of byte c in s before position i+1.
rindex_from [Bytes]
rindex_from s i c returns the index of the last occurrence of byte c in s before position i+1.
rindex_from_opt [String]
String.rindex_from_opt s i c returns the index of the last occurrence of character c in string s before position i+1 or None if c does not occur in s before position i+1.
rindex_from_opt [StringLabels]
String.rindex_from_opt s i c returns the index of the last occurrence of character c in string s before position i+1 or None if c does not occur in s before position i+1.
rindex_from_opt [BytesLabels]
rindex_from_opt s i c returns the index of the last occurrence of byte c in s before position i+1 or None if c does not occur in s before position i+1.
rindex_from_opt [Bytes]
rindex_from_opt s i c returns the index of the last occurrence of byte c in s before position i+1 or None if c does not occur in s before position i+1.
rindex_opt [String]
String.rindex_opt s c returns the index of the last occurrence of character c in string s, or None if c does not occur in s.
rindex_opt [StringLabels]
String.rindex_opt s c returns the index of the last occurrence of character c in string s, or None if c does not occur in s.
rindex_opt [BytesLabels]
rindex_opt s c returns the index of the last occurrence of byte c in s or None if c does not occur in s.
rindex_opt [Bytes]
rindex_opt s c returns the index of the last occurrence of byte c in s or None if c does not occur in s.
rlineto [Graphics]
Draw a line with endpoints the current point and the current point translated of the given vector, and move the current point to this point.
rmdir [UnixLabels]
Remove an empty directory.
rmdir [Unix]
Remove an empty directory.
rmoveto [Graphics]
rmoveto dx dy translates the current point by the given vector.
round_num [Num]
round_num n returns the integer closest to n.
rounds [Clflags]
run_command [Ccomp]
run_initializers [CamlinternalOO]
run_initializers_opt [CamlinternalOO]
run_main [Ast_mapper]
Entry point to call to implement a standalone -ppx rewriter from a mapper, parametrized by the command line arguments.
runtime_parameters [Sys]
Return the value of the runtime parameters, in the same format as the contents of the OCAMLRUNPARAM environment variable.
runtime_variant [Sys]
Return the name of the runtime variant the program is running on.
runtime_variant [Clflags]
runtime_warnings_enabled [Sys]
Return whether runtime warnings are currently enabled.

S
safe_string [Config]
save_and_close [Spacetime.Series]
save_and_close series writes information into series required for interpeting the snapshots that series contains and then closes the series file.
save_event [Spacetime.Series]
save_event writes an event, which is an arbitrary string, into the given series file.
save_event_for_automatic_snapshots [Spacetime]
Like Spacetime.Series.save_event, but writes to the automatic snapshot file.
scanf [Scanf]
Same as Scanf.bscanf, but reads from the predefined formatted input channel Scanf.Scanning.stdin that is connected to stdin.
search_backward [Str]
search_backward r s last searches the string s for a substring matching the regular expression r.
search_forward [Str]
search_forward r s start searches the string s for a substring matching the regular expression r.
search_substring [Misc]
seeded_hash [MoreLabels.Hashtbl]
seeded_hash [Hashtbl]
A variant of Hashtbl.hash that is further parameterized by an integer seed.
seeded_hash_param [MoreLabels.Hashtbl]
seeded_hash_param [Hashtbl]
A variant of Hashtbl.hash_param that is further parameterized by an integer seed.
seek_in [Pervasives.LargeFile]
seek_in [Pervasives]
seek_in chan pos sets the current reading position to pos for channel chan.
seek_out [Pervasives.LargeFile]
seek_out [Pervasives]
seek_out chan pos sets the current writing position to pos for channel chan.
select [UnixLabels]
Wait until some input/output operations become possible on some channels.
select [Unix]
Wait until some input/output operations become possible on some channels.
select [ThreadUnix]
select [Thread]
Suspend the execution of the calling thread until input/output becomes possible on the given Unix file descriptors.
select [Event]
'Synchronize' on an alternative of events.
self [Thread]
Return the thread currently executing.
self_init [Random]
Initialize the generator with a random seed chosen in a system-dependent way.
send [UnixLabels]
Send data over a connected socket.
send [Unix]
Send data over a connected socket.
send [ThreadUnix]
send [Event]
send ch v returns the event consisting in sending the value v over the channel ch.
send [CamlinternalOO]
send [Ast_helper.Exp]
send_substring [UnixLabels]
Same as send, but take the data from a string instead of a byte sequence.
send_substring [Unix]
Same as send, but take the data from a string instead of a byte sequence.
send_substring [ThreadUnix]
sendcache [CamlinternalOO]
sendself [CamlinternalOO]
sendto [UnixLabels]
Send data over an unconnected socket.
sendto [Unix]
Send data over an unconnected socket.
sendto [ThreadUnix]
sendto_substring [UnixLabels]
Same as sendto, but take the data from a string instead of a byte sequence.
sendto_substring [Unix]
Same as sendto, but take the data from a string instead of a byte sequence.
sendto_substring [ThreadUnix]
sequence [Ast_helper.Exp]
set [Weak]
Weak.set ar n (Some el) sets the nth cell of ar to be a (full) pointer to el; Weak.set ar n None sets the nth cell of ar to empty.
set [String]
String.set s n c modifies byte sequence s in place, replacing the byte at index n with c.
set [StringLabels]
String.set s n c modifies byte sequence s in place, replacing the byte at index n with c.
set [Misc.LongString]
set [Gc]
set r changes the GC parameters according to the control record r.
set [Consistbl]
set [BytesLabels]
set s n c modifies s in place, replacing the byte at index n with c.
set [Bytes]
set s n c modifies s in place, replacing the byte at index n with c.
set [Bigarray.Array3]
Array3.set a x y v, or alternatively a.{x,y,z} <- v, stores the value v at coordinates (x, y, z) in a.
set [Bigarray.Array2]
Array2.set a x y v, or alternatively a.{x,y} <- v, stores the value v at coordinates (x, y) in a.
set [Bigarray.Array1]
Array1.set a x v, also written a.{x} <- v, stores the value v at index x in a.
set [Bigarray.Array0]
Array0.set a x v stores the value v in a.
set [Bigarray.Genarray]
Assign an element of a generic big array.
set [ArrayLabels]
Array.set a n x modifies array a in place, replacing element number n with x.
set [Array]
Array.set a n x modifies array a in place, replacing element number n with x.
set_all_formatter_output_functions [Format]
set_approx_printing [Arith_status]
Get or set the flag approx_printing.
set_base_default [Arg_helper.Make]
set_binary_mode_in [Pervasives]
set_binary_mode_in ic true sets the channel ic to binary mode: no translations take place during input.
set_binary_mode_out [Pervasives]
set_binary_mode_out oc true sets the channel oc to binary mode: no translations take place during output.
set_close_on_exec [UnixLabels]
Set the ``close-on-exec'' flag on the given descriptor.
set_close_on_exec [Unix]
Set the ``close-on-exec'' flag on the given descriptor.
set_color [Graphics]
Set the current drawing color.
set_color_tag_handling [Misc.Color]
set_cookie [Ast_mapper]
set_data [Obj.Ephemeron]
set_data [Ephemeron.Kn]
set_data [Ephemeron.K2]
set_data [Ephemeron.K1]
Ephemeron.K1.set_data eph el sets the data of eph to be a (full) data to el
set_double_field [Obj]
set_dumped_pass [Clflags]
set_ellipsis_text [Format]
Set the text of the ellipsis printed when too many boxes are opened (a single dot, ., by default).
set_error_when_null_denominator [Arith_status]
Get or set the flag null_denominator.
set_field [Obj]
When using flambda:
set_floating_docstrings [Docstrings]
Docstrings not immediately adjacent to a token
set_floating_precision [Arith_status]
Get or set the parameter floating_precision.
set_font [Graphics]
Set the font used for drawing text.
set_formatter_out_channel [Format]
Redirect the pretty-printer output to the given channel.
set_formatter_out_functions [Format]
set_formatter_out_functions f Redirect the pretty-printer output to the functions f.out_string and f.out_flush as described in set_formatter_output_functions.
set_formatter_output_functions [Format]
set_formatter_output_functions out flush redirects the pretty-printer output functions to the functions out and flush.
set_formatter_tag_functions [Format]
set_formatter_tag_functions tag_funs changes the meaning of opening and closing tags to use the functions in tag_funs.
set_key [Obj.Ephemeron]
set_key [Ephemeron.Kn]
set_key [Ephemeron.K1]
Ephemeron.K1.set_key eph el sets the key of eph to be a (full) key to el
set_key1 [Ephemeron.K2]
set_key2 [Ephemeron.K2]
set_line_width [Graphics]
Set the width of points and lines drawn with the functions above.
set_margin [Format]
set_margin d sets the right margin to d (in characters): the pretty-printer splits lines that overflow the right margin according to the break hints given.
set_mark_tags [Format]
set_mark_tags b turns on or off the output of tag markers.
set_max_boxes [Format]
set_max_boxes max sets the maximum number of boxes simultaneously opened.
set_max_indent [Format]
set_max_indent d sets the maximum indentation limit of lines to d (in characters): once this limit is reached, new boxes are rejected to the left, if they do not fit on the current line.
set_method [CamlinternalOO]
set_methods [CamlinternalOO]
set_nonblock [UnixLabels]
Set the ``non-blocking'' flag on the given descriptor.
set_nonblock [Unix]
Set the ``non-blocking'' flag on the given descriptor.
set_normalize_ratio [Arith_status]
Get or set the flag normalize_ratio.
set_normalize_ratio_when_printing [Arith_status]
Get or set the flag normalize_ratio_when_printing.
set_post_docstrings [Docstrings]
Docstrings immediately following a token
set_post_extra_docstrings [Docstrings]
Docstrings immediately preceding the token which follows this one
set_pre_docstrings [Docstrings]
Docstrings immediately preceding a token
set_pre_extra_docstrings [Docstrings]
Docstrings immediately following the token which precedes this one
set_preprocessor [Lexer]
set_print_tags [Format]
set_print_tags b turns on or off the printing of tags.
set_signal [Sys]
Same as Sys.signal but return value is ignored.
set_state [Random]
Set the state of the generator used by the basic functions.
set_styles [Misc.Color]
set_tab [Format]
set_tag [Obj]
set_tags [Format]
set_tags b turns on or off the treatment of tags (default is off).
set_temp_dir_name [Filename]
Change the temporary directory returned by Filename.get_temp_dir_name and used by Filename.temp_file and Filename.open_temp_file.
set_text_size [Graphics]
Set the character size used for drawing text.
set_trace [Parsing]
Control debugging support for ocamlyacc-generated parsers.
set_uncaught_exception_handler [Printexc]
Printexc.set_uncaught_exception_handler fn registers fn as the handler for uncaught exceptions.
set_user_default [Arg_helper.Make]
set_window_title [Graphics]
Set the title of the graphics window.
setfield [Ast_helper.Exp]
setgid [UnixLabels]
Set the real group id and effective group id for the process.
setgid [Unix]
Set the real group id and effective group id for the process.
setgroups [UnixLabels]
setgroups groups sets the supplementary group IDs for the calling process.
setgroups [Unix]
setgroups groups sets the supplementary group IDs for the calling process.
setinstvar [Ast_helper.Exp]
setitimer [UnixLabels]
setitimer t s sets the interval timer t and returns its previous status.
setitimer [Unix]
setitimer t s sets the interval timer t and returns its previous status.
setsid [UnixLabels]
Put the calling process in a new session and detach it from its controlling terminal.
setsid [Unix]
Put the calling process in a new session and detach it from its controlling terminal.
setsockopt [UnixLabels]
Set or clear a boolean-valued option in the given socket.
setsockopt [Unix]
Set or clear a boolean-valued option in the given socket.
setsockopt_float [UnixLabels]
Same as Unix.setsockopt for a socket option whose value is a floating-point number.
setsockopt_float [Unix]
Same as Unix.setsockopt for a socket option whose value is a floating-point number.
setsockopt_int [UnixLabels]
Same as Unix.setsockopt for an integer-valued socket option.
setsockopt_int [Unix]
Same as Unix.setsockopt for an integer-valued socket option.
setsockopt_optint [UnixLabels]
Same as Unix.setsockopt for a socket option whose value is an int option.
setsockopt_optint [Unix]
Same as Unix.setsockopt for a socket option whose value is an int option.
setuid [UnixLabels]
Set the real user id and effective user id for the process.
setuid [Unix]
Set the real user id and effective user id for the process.
setup [Terminfo]
setup [Misc.Color]
shared [Clflags]
shift_left [Targetint]
Targetint.shift_left x y shifts x to the left by y bits.
shift_left [Nativeint]
Nativeint.shift_left x y shifts x to the left by y bits.
shift_left [Int64]
Int64.shift_left x y shifts x to the left by y bits.
shift_left [Int32]
Int32.shift_left x y shifts x to the left by y bits.
shift_left_big_int [Big_int]
shift_left_big_int b n returns b shifted left by n bits.
shift_right [Targetint]
Targetint.shift_right x y shifts x to the right by y bits.
shift_right [Nativeint]
Nativeint.shift_right x y shifts x to the right by y bits.
shift_right [Int64]
Int64.shift_right x y shifts x to the right by y bits.
shift_right [Int32]
Int32.shift_right x y shifts x to the right by y bits.
shift_right_big_int [Big_int]
shift_right_big_int b n returns b shifted right by n bits.
shift_right_logical [Targetint]
Targetint.shift_right_logical x y shifts x to the right by y bits.
shift_right_logical [Nativeint]
Nativeint.shift_right_logical x y shifts x to the right by y bits.
shift_right_logical [Int64]
Int64.shift_right_logical x y shifts x to the right by y bits.
shift_right_logical [Int32]
Int32.shift_right_logical x y shifts x to the right by y bits.
shift_right_towards_zero_big_int [Big_int]
shift_right_towards_zero_big_int b n returns b shifted right by n bits.
show_filename [Location]
In -absname mode, return the absolute path for this filename.
shutdown [UnixLabels]
Shutdown a socket connection.
shutdown [Unix]
Shutdown a socket connection.
shutdown_connection [UnixLabels]
``Shut down'' a connection established with UnixLabels.open_connection; that is, transmit an end-of-file condition to the server reading on the other side of the connection.
shutdown_connection [Unix]
``Shut down'' a connection established with Unix.open_connection; that is, transmit an end-of-file condition to the server reading on the other side of the connection.
sigabrt [Sys]
Abnormal termination
sigalrm [Sys]
Timeout
sigbus [Sys]
Bus error
sigchld [Sys]
Child process terminated
sigcont [Sys]
Continue
sigfpe [Sys]
Arithmetic exception
sighup [Sys]
Hangup on controlling terminal
sigill [Sys]
Invalid hardware instruction
sigint [Sys]
Interactive interrupt (ctrl-C)
sigkill [Sys]
Termination (cannot be ignored)
sigmask [Thread]
sigmask cmd sigs changes the set of blocked signals for the calling thread.
sign_big_int [Big_int]
Return 0 if the given big integer is zero, 1 if it is positive, and -1 if it is negative.
sign_num [Num]
Return -1, 0 or 1 according to the sign of the argument.
signal [Sys]
Set the behavior of the system on receipt of a given signal.
signal [Condition]
signal c restarts one of the processes waiting on the condition variable c.
signature [Pprintast]
signature [Ast_invariants]
signature [Ast_helper.Cty]
signature [Ast_helper.Mty]
sigpending [UnixLabels]
Return the set of blocked signals that are currently pending.
sigpending [Unix]
Return the set of blocked signals that are currently pending.
sigpipe [Sys]
Broken pipe
sigpoll [Sys]
Pollable event
sigprocmask [UnixLabels]
sigprocmask cmd sigs changes the set of blocked signals.
sigprocmask [Unix]
sigprocmask cmd sigs changes the set of blocked signals.
sigprof [Sys]
Profiling interrupt
sigquit [Sys]
Interactive termination
sigsegv [Sys]
Invalid memory reference
sigstop [Sys]
Stop
sigsuspend [UnixLabels]
sigsuspend sigs atomically sets the blocked signals to sigs and waits for a non-ignored, non-blocked signal to be delivered.
sigsuspend [Unix]
sigsuspend sigs atomically sets the blocked signals to sigs and waits for a non-ignored, non-blocked signal to be delivered.
sigsys [Sys]
Bad argument to routine
sigterm [Sys]
Termination
sigtrap [Sys]
Trace/breakpoint trap
sigtstp [Sys]
Interactive stop
sigttin [Sys]
Terminal read from background process
sigttou [Sys]
Terminal write from background process
sigurg [Sys]
Urgent condition on socket
sigusr1 [Sys]
Application-defined signal 1
sigusr2 [Sys]
Application-defined signal 2
sigvtalrm [Sys]
Timeout in virtual time
sigxcpu [Sys]
Timeout in cpu time
sigxfsz [Sys]
File size limit exceeded
simplify_rounds [Clflags]
sin [Pervasives]
Sine.
single_write [UnixLabels]
Same as write, but attempts to write only once.
single_write [Unix]
Same as write, but attempts to write only once.
single_write_substring [UnixLabels]
Same as single_write, but take the data from a string instead of a byte sequence.
single_write_substring [Unix]
Same as single_write, but take the data from a string instead of a byte sequence.
singleton [MoreLabels.Set.S]
singleton [MoreLabels.Map.S]
singleton [Map.S]
singleton x y returns the one-element map that contains a binding y for x.
singleton [Set.S]
singleton x returns the one-element set containing only x.
sinh [Pervasives]
Hyperbolic sine.
size [Targetint]
The size in bits of a target native integer.
size [Obj]
size [Nativeint]
The size in bits of a native integer.
size_in_bytes [Bigarray.Array3]
size_in_bytes a is the number of elements in a multiplied by a's Bigarray.kind_size_in_bytes.
size_in_bytes [Bigarray.Array2]
size_in_bytes a is the number of elements in a multiplied by a's Bigarray.kind_size_in_bytes.
size_in_bytes [Bigarray.Array1]
size_in_bytes a is the number of elements in a multiplied by a's Bigarray.kind_size_in_bytes.
size_in_bytes [Bigarray.Array0]
size_in_bytes a is a's Bigarray.kind_size_in_bytes.
size_in_bytes [Bigarray.Genarray]
size_in_bytes a is the number of elements in a multiplied by a's Bigarray.kind_size_in_bytes.
size_x [Graphics]
size_y [Graphics]
Return the size of the graphics window.
skip_hash_bang [Lexer]
sleep [UnixLabels]
Stop execution for the given number of seconds.
sleep [Unix]
Stop execution for the given number of seconds.
sleep [ThreadUnix]
sleepf [Unix]
Stop execution for the given number of seconds.
slice [Bigarray.Array1]
Extract a scalar (zero-dimensional slice) of the given one-dimensional big array.
slice_left [Bigarray.Array2]
Extract a row (one-dimensional slice) of the given two-dimensional big array.
slice_left [Bigarray.Genarray]
Extract a sub-array of lower dimension from the given big array by fixing one or several of the first (left-most) coordinates.
slice_left_1 [Bigarray.Array3]
Extract a one-dimensional slice of the given three-dimensional big array by fixing the first two coordinates.
slice_left_2 [Bigarray.Array3]
Extract a two-dimensional slice of the given three-dimensional big array by fixing the first coordinate.
slice_right [Bigarray.Array2]
Extract a column (one-dimensional slice) of the given two-dimensional big array.
slice_right [Bigarray.Genarray]
Extract a sub-array of lower dimension from the given big array by fixing one or several of the last (right-most) coordinates.
slice_right_1 [Bigarray.Array3]
Extract a one-dimensional slice of the given three-dimensional big array by fixing the last two coordinates.
slice_right_2 [Bigarray.Array3]
Extract a two-dimensional slice of the given three-dimensional big array by fixing the last coordinate.
snd [Pervasives]
Return the second component of a pair.
snd3 [Misc]
snd4 [Misc]
socket [UnixLabels]
Create a new socket in the given domain, and with the given kind.
socket [Unix]
Create a new socket in the given domain, and with the given kind.
socket [ThreadUnix]
socketpair [UnixLabels]
Create a pair of unnamed sockets, connected together.
socketpair [Unix]
Create a pair of unnamed sockets, connected together.
some_if_all_elements_are_some [Misc.Stdlib.List]
If all elements of the given list are Some _ then Some xs is returned with the xs being the contents of those Somes, with order preserved.
sort [ListLabels]
Sort a list in increasing order according to a comparison function.
sort [List]
Sort a list in increasing order according to a comparison function.
sort [ArrayLabels]
Sort an array in increasing order according to a comparison function.
sort [Array]
Sort an array in increasing order according to a comparison function.
sort_uniq [ListLabels]
Same as List.sort, but also remove duplicates.
sort_uniq [List]
Same as List.sort, but also remove duplicates.
sound [Graphics]
sound freq dur plays a sound at frequency freq (in hertz) for a duration dur (in milliseconds).
source [Consistbl]
spacetime [Config]
spellcheck [Misc]
spellcheck env name takes a list of names env that exist in the current environment and an erroneous name, and returns a list of suggestions taken from env, that are close enough to name that it may be a typo for one of them.
split [Str]
split r s splits s into substrings, taking as delimiters the substrings that match r, and returns the list of substrings.
split [MoreLabels.Set.S]
split [MoreLabels.Map.S]
split [ListLabels]
Transform a list of pairs into a pair of lists: split [(a1,b1); ...; (an,bn)] is ([a1; ...; an], [b1; ...; bn]).
split [List]
Transform a list of pairs into a pair of lists: split [(a1,b1); ...; (an,bn)] is ([a1; ...; an], [b1; ...; bn]).
split [Map.S]
split x m returns a triple (l, data, r), where l is the map with all the bindings of m whose key is strictly less than x; r is the map with all the bindings of m whose key is strictly greater than x; data is None if m contains no binding for x, or Some v if m binds v to x.
split [Set.S]
split x s returns a triple (l, present, r), where l is the set of elements of s that are strictly less than x; r is the set of elements of s that are strictly greater than x; present is false if s contains no element equal to x, or true if s contains an element equal to x.
split_at [Misc.Stdlib.List]
split_at n l returns the pair before, after where before is the n first elements of l and after the remaining ones.
split_delim [Str]
Same as Str.split but occurrences of the delimiter at the beginning and at the end of the string are recognized and returned as empty strings in the result.
split_last [Misc]
split_on_char [String]
String.split_on_char sep s returns the list of all (possibly empty) substrings of s that are delimited by the sep character.
split_on_char [StringLabels]
String.split_on_char sep s returns the list of all (possibly empty) substrings of s that are delimited by the sep character.
sprintf [Printf]
Same as Printf.fprintf, but instead of printing on an output channel, return a string containing the result of formatting the arguments.
sprintf [Format]
Same as printf above, but instead of printing on a formatter, returns a string containing the result of formatting the arguments.
sqrt [Pervasives]
Square root.
sqrt [Complex]
Square root.
sqrt_big_int [Big_int]
sqrt_big_int a returns the integer square root of a, that is, the largest big integer r such that r * r <= a.
square_big_int [Big_int]
Return the square of the given big integer
square_num [Num]
Squaring
sscanf [Scanf]
Same as Scanf.bscanf, but reads from the given string.
sscanf_format [Scanf]
Same as Scanf.bscanf_format, but reads from the given string.
stable_sort [ListLabels]
Same as List.sort, but the sorting algorithm is guaranteed to be stable (i.e.
stable_sort [List]
Same as List.sort, but the sorting algorithm is guaranteed to be stable (i.e.
stable_sort [ArrayLabels]
Same as Array.sort, but the sorting algorithm is stable (i.e.
stable_sort [Array]
Same as Array.sort, but the sorting algorithm is stable (i.e.
stack_safety_margin [Config]
stack_threshold [Config]
standard_library [Config]
standard_runtime [Config]
standout [Terminfo]
stat [UnixLabels.LargeFile]
stat [UnixLabels]
Return the information for the named file.
stat [Unix.LargeFile]
stat [Unix]
Return the information for the named file.
stat [Gc]
Return the current values of the memory management counters in a stat record.
stats [Weak.S]
Return statistics on the table.
stats [MoreLabels.Hashtbl.SeededS]
stats [MoreLabels.Hashtbl.S]
stats [MoreLabels.Hashtbl]
stats [Hashtbl.SeededS]
stats [Hashtbl.S]
stats [Hashtbl]
Hashtbl.stats tbl returns statistics about the table tbl: number of buckets, size of the biggest bucket, distribution of buckets by size.
stats [CamlinternalOO]
stats_alive [Ephemeron.SeededS]
same as Hashtbl.SeededS.stats but only count the alive bindings
stats_alive [Ephemeron.S]
same as Hashtbl.SeededS.stats but only count the alive bindings
std_formatter [Format]
The standard formatter used by the formatting functions above.
std_include_dir [Clflags]
std_include_flag [Clflags]
stdbuf [Format]
The string buffer in which str_formatter writes.
stderr [UnixLabels]
File descriptor for standard error.
stderr [Unix]
File descriptor for standard error.
stderr [Pervasives]
The standard error output for the process.
stdib [Scanf.Scanning]
A deprecated alias for Scanf.Scanning.stdin, the scanning buffer reading from stdin.
stdin [UnixLabels]
File descriptor for standard input.
stdin [Unix]
File descriptor for standard input.
stdin [Scanf.Scanning]
The standard input notion for the Scanf module.
stdin [Pervasives]
The standard input for the process.
stdout [UnixLabels]
File descriptor for standard output.
stdout [Unix]
File descriptor for standard output.
stdout [Pervasives]
The standard output for the process.
str_formatter [Format]
A formatter to use with formatting functions below for output to the stdbuf string buffer.
strict_formats [Clflags]
strict_sequence [Clflags]
string [Digest]
Return the digest of the given string.
string [Ast_helper.Const]
string_after [Str]
string_after s n returns the substring of all characters of s that follow position n (including the character at position n).
string_before [Str]
string_before s n returns the substring of all characters of s that precede position n (excluding the character at position n).
string_match [Str]
string_match r s start tests whether a substring of s that starts at position start matches the regular expression r.
string_of_big_int [Big_int]
Return the string representation of the given big integer, in decimal (base 10).
string_of_bool [Pervasives]
Return the string representation of a boolean.
string_of_expression [Pprintast]
string_of_file [Misc]
string_of_float [Pervasives]
Return the string representation of a floating-point number.
string_of_fmt [CamlinternalFormat]
string_of_fmtty [CamlinternalFormat]
string_of_format [Pervasives]
Converts a format string into a string.
string_of_formatting_gen [CamlinternalFormat]
string_of_formatting_lit [CamlinternalFormat]
string_of_inet_addr [UnixLabels]
Return the printable representation of the given Internet address.
string_of_inet_addr [Unix]
Return the printable representation of the given Internet address.
string_of_int [Pervasives]
Return the string representation of an integer, in decimal.
string_of_num [Num]
Convert a number to a string, using fractional notation.
string_of_structure [Pprintast]
string_partial_match [Str]
Similar to Str.string_match, but also returns true if the argument string is a prefix of a string that matches.
string_tag [Obj]
strput_acc [CamlinternalFormat]
structure [Printast]
structure [Pprintast]
structure [Ast_invariants]
structure [Ast_helper.Cl]
structure [Ast_helper.Mod]
sub [Targetint]
Subtraction.
sub [String]
String.sub s start len returns a fresh string of length len, containing the substring of s that starts at position start and has length len.
sub [StringLabels]
String.sub s start len returns a fresh string of length len, containing the substring of s that starts at position start and has length len.
sub [Nativeint]
Subtraction.
sub [Int64]
Subtraction.
sub [Int32]
Subtraction.
sub [Complex]
Subtraction
sub [BytesLabels]
sub s start len returns a new byte sequence of length len, containing the subsequence of s that starts at position start and has length len.
sub [Bytes]
sub s start len returns a new byte sequence of length len, containing the subsequence of s that starts at position start and has length len.
sub [Buffer]
Buffer.sub b off len returns a copy of len bytes from the current contents of the buffer b, starting at offset off.
sub [Bigarray.Array1]
Extract a sub-array of the given one-dimensional big array.
sub [ArrayLabels]
Array.sub a start len returns a fresh array of length len, containing the elements number start to start + len - 1 of array a.
sub [Array]
Array.sub a start len returns a fresh array of length len, containing the elements number start to start + len - 1 of array a.
sub_big_int [Big_int]
Subtraction.
sub_left [Bigarray.Array3]
Extract a three-dimensional sub-array of the given three-dimensional big array by restricting the first dimension.
sub_left [Bigarray.Array2]
Extract a two-dimensional sub-array of the given two-dimensional big array by restricting the first dimension.
sub_left [Bigarray.Genarray]
Extract a sub-array of the given big array by restricting the first (left-most) dimension.
sub_num [Num]
Subtraction
sub_right [Bigarray.Array3]
Extract a three-dimensional sub-array of the given three-dimensional big array by restricting the second dimension.
sub_right [Bigarray.Array2]
Extract a two-dimensional sub-array of the given two-dimensional big array by restricting the second dimension.
sub_right [Bigarray.Genarray]
Extract a sub-array of the given big array by restricting the last (right-most) dimension.
sub_string [BytesLabels]
Same as sub but return a string instead of a byte sequence.
sub_string [Bytes]
Same as sub but return a string instead of a byte sequence.
subbytes [Digest]
Digest.subbytes s ofs len returns the digest of the subsequence of s starting at index ofs and containing len bytes.
subset [MoreLabels.Set.S]
subset [Set.S]
subset s1 s2 tests whether the set s1 is a subset of the set s2.
substitute_first [Str]
Same as Str.global_substitute, except that only the first substring matching the regular expression is replaced.
substring [Digest]
Digest.substring s ofs len returns the digest of the substring of s starting at index ofs and containing len characters.
succ [Uchar]
succ u is the scalar value after u in the set of Unicode scalar values.
succ [Targetint]
Successor.
succ [Pervasives]
succ x is x + 1.
succ [Nativeint]
Successor.
succ [Int64]
Successor.
succ [Int32]
Successor.
succ_big_int [Big_int]
Successor (add 1).
succ_num [Num]
succ n is n+1
symbol_docs [Docstrings]
Fetch the item documentation for the current symbol.
symbol_docs_lazy [Docstrings]
symbol_end [Parsing]
symbol_end_pos [Parsing]
Same as symbol_end, but return a position instead of an offset.
symbol_gloc [Location]
symbol_info [Docstrings]
Fetch the field info for the current symbol.
symbol_post_extra_text [Docstrings]
Fetch additional text following the current symbol
symbol_pre_extra_text [Docstrings]
Fetch additional text preceding the current symbol
symbol_rloc [Location]
symbol_start [Parsing]
symbol_start and Parsing.symbol_end are to be called in the action part of a grammar rule only.
symbol_start_pos [Parsing]
Same as symbol_start, but return a position instead of an offset.
symbol_text [Docstrings]
Fetch the text preceding the current symbol.
symbol_text_lazy [Docstrings]
symlink [UnixLabels]
symlink source dest creates the file dest as a symbolic link to the file source.
symlink [Unix]
symlink ?to_dir source dest creates the file dest as a symbolic link to the file source.
symm [CamlinternalFormat]
sync [Event]
'Synchronize' on an event: offer all the communication possibilities specified in the event to the outside world, and block until one of the communications succeed.
synchronize [Graphics]
Synchronize the backing store and the on-screen window, by copying the contents of the backing store onto the graphics window.
system [UnixLabels]
Execute the given command, wait until it terminates, and return its termination status.
system [Unix]
Execute the given command, wait until it terminates, and return its termination status.
system [ThreadUnix]
system [Config]
systhread_supported [Config]

T
tag [Obj]
take [Spacetime.Snapshot]
take series takes a snapshot of the profiling annotations on the values in the minor and major heaps, together with GC stats, and write the result to the series file.
take [Queue]
take q removes and returns the first element in queue q, or raises Queue.Empty if the queue is empty.
tan [Pervasives]
Tangent.
tanh [Pervasives]
Hyperbolic tangent.
target [Config]
tcdrain [UnixLabels]
Waits until all output written on the given file descriptor has been transmitted.
tcdrain [Unix]
Waits until all output written on the given file descriptor has been transmitted.
tcflow [UnixLabels]
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.
tcflow [Unix]
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.
tcflush [UnixLabels]
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.
tcflush [Unix]
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.
tcgetattr [UnixLabels]
Return the status of the terminal referred to by the given file descriptor.
tcgetattr [Unix]
Return the status of the terminal referred to by the given file descriptor.
tcsendbreak [UnixLabels]
Send a break condition on the given file descriptor.
tcsendbreak [Unix]
Send a break condition on the given file descriptor.
tcsetattr [UnixLabels]
Set the status of the terminal referred to by the given file descriptor.
tcsetattr [Unix]
Set the status of the terminal referred to by the given file descriptor.
temp_dir_name [Filename]
The name of the initial temporary directory: Under Unix, the value of the TMPDIR environment variable, or "/tmp" if the variable is not set.
temp_file [Filename]
temp_file prefix suffix returns the name of a fresh temporary file in the temporary directory.
text [Ast_helper.Cf]
text [Ast_helper.Ctf]
text [Ast_helper.Str]
text [Ast_helper.Sig]
text_attr [Docstrings]
text_size [Graphics]
Return the dimensions of the given text, if it were drawn with the current font and size.
thd3 [Misc]
thd4 [Misc]
time [UnixLabels]
Return the current time since 00:00:00 GMT, Jan.
time [Unix]
Return the current time since 00:00:00 GMT, Jan.
time [Timings]
time pass f arg records the runtime of f arg
time [Sys]
Return the processor time, in seconds, used by the program since the beginning of execution.
time_call [Timings]
time_call pass f calls f and records its runtime.
timed_read [ThreadUnix]
timed_write [ThreadUnix]
Behave as ThreadUnix.read and ThreadUnix.write, except that Unix_error(ETIMEDOUT,_,_) is raised if no data is available for reading or ready for writing after d seconds.
timed_write_substring [ThreadUnix]
times [UnixLabels]
Return the execution times of the process.
times [Unix]
Return the execution times of the process.
tl [ListLabels]
Return the given list without its first element.
tl [List]
Return the given list without its first element.
to_buffer [Marshal]
Marshal.to_buffer buff ofs len v flags marshals the value v, storing its byte representation in the sequence buff, starting at index ofs, and writing at most len bytes.
to_bytes [Marshal]
Marshal.to_bytes v flags returns a byte sequence containing the representation of v.
to_bytes [Buffer]
Return a copy of the current contents of the buffer.
to_channel [Marshal]
Marshal.to_channel chan v flags writes the representation of v on channel chan.
to_char [Uchar]
to_char u is u as an OCaml latin1 character.
to_float [Targetint]
Convert the given target integer to a floating-point number.
to_float [Nativeint]
Convert the given native integer to a floating-point number.
to_float [Int64]
Convert the given 64-bit integer to a floating-point number.
to_float [Int32]
Convert the given 32-bit integer to a floating-point number.
to_hex [Digest]
Return the printable hexadecimal representation of the given digest.
to_int [Uchar]
to_int u is u as an integer.
to_int [Targetint]
Convert the given target integer (type t) to an integer (type int).
to_int [Nativeint]
Convert the given native integer (type nativeint) to an integer (type int).
to_int [Int64]
Convert the given 64-bit integer (type int64) to an integer (type int).
to_int [Int32]
Convert the given 32-bit integer (type int32) to an integer (type int).
to_int32 [Targetint]
Convert the given target integer to a 32-bit integer (type int32).
to_int32 [Nativeint]
Convert the given native integer to a 32-bit integer (type int32).
to_int32 [Int64]
Convert the given 64-bit integer (type int64) to a 32-bit integer (type int32).
to_int64 [Targetint]
Convert the given target integer to a 64-bit integer (type int64).
to_list [Identifiable.S.Tbl]
to_list [ArrayLabels]
Array.to_list a returns the list of all the elements of a.
to_list [Array]
Array.to_list a returns the list of all the elements of a.
to_map [Identifiable.S.Tbl]
to_nativeint [Int64]
Convert the given 64-bit integer (type int64) to a native integer.
to_string [Targetint]
Return the string representation of its argument, in decimal.
to_string [Printexc]
Printexc.to_string e returns a string representation of the exception e.
to_string [Nativeint]
Return the string representation of its argument, in decimal.
to_string [Marshal]
Same as to_bytes but return the result as a string instead of a byte sequence.
to_string [Int64]
Return the string representation of its argument, in decimal.
to_string [Int32]
Return the string representation of its argument, in signed decimal.
to_string [Identifiable.S.Set]
to_string [BytesLabels]
Return a new string that contains the same bytes as the given byte sequence.
to_string [Bytes]
Return a new string that contains the same bytes as the given byte sequence.
token [Lexer]
token_with_comments [Lexer]
tool_name [Ast_mapper]
Can be used within a ppx preprocessor to know which tool is calling it "ocamlc", "ocamlopt", "ocamldoc", "ocamldep", "ocaml", ...
top [Stack]
top s returns the topmost element in stack s, or raises Stack.Empty if the stack is empty.
top [Queue]
top is a synonym for peek.
top_phrase [Printast]
top_phrase [Pprintast]
toplevel_phrase [Pprintast]
toplevel_phrase [Parser]
toplevel_phrase [Parse]
total_size [Marshal]
trans [CamlinternalFormat]
transfer [Queue]
transfer q1 q2 adds all of q1's elements at the end of the queue q2, then clears q1.
transp [Graphics]
In matrices of colors, this color represent a 'transparent' point: when drawing the corresponding image, all pixels on the screen corresponding to a transparent pixel in the image will not be modified, while other points will be set to the color of the corresponding point in the image.
transparent_modules [Clflags]
transpose_keys_and_data [Identifiable.S.Map]
transpose_keys_and_data_set [Identifiable.S.Map]
trim [String]
Return a copy of the argument, without leading and trailing whitespace.
trim [StringLabels]
Return a copy of the argument, without leading and trailing whitespace.
trim [BytesLabels]
Return a copy of the argument, without leading and trailing whitespace.
trim [Bytes]
Return a copy of the argument, without leading and trailing whitespace.
truncate [UnixLabels.LargeFile]
truncate [UnixLabels]
Truncates the named file to the given size.
truncate [Unix.LargeFile]
truncate [Unix]
Truncates the named file to the given size.
truncate [Pervasives]
Same as int_of_float.
truncate [Obj]
truncate [Buffer]
truncate b len truncates the length of b to len Note: the internal byte sequence is not shortened.
try_ [Ast_helper.Exp]
try_finally [Misc]
try_lock [Mutex]
Same as Mutex.lock, but does not suspend the calling thread if the mutex is already locked: just return false immediately in that case.
tuple [Ast_helper.Exp]
tuple [Ast_helper.Pat]
tuple [Ast_helper.Typ]
type_ [Ast_helper.Str]
type_ [Ast_helper.Sig]
type_ [Ast_helper.Pat]
type_extension [Ast_helper.Str]
type_extension [Ast_helper.Sig]
type_format [CamlinternalFormat]
typeof_ [Ast_helper.Mty]

U
umask [UnixLabels]
Set the process's file mode creation mask, and return the previous mask.
umask [Unix]
Set the process's file mode creation mask, and return the previous mask.
unaligned_tag [Obj]
unbox_closures [Clflags]
unbox_closures_factor [Clflags]
unbox_free_vars_of_closures [Clflags]
unbox_specialised_args [Clflags]
unboxed_types [Clflags]
uncapitalize [String]
Return a copy of the argument, with the first character set to lowercase, using the ISO Latin-1 (8859-1) character set..
uncapitalize [StringLabels]
Return a copy of the argument, with the first character set to lowercase, using the ISO Latin-1 (8859-1) character set..
uncapitalize [BytesLabels]
Return a copy of the argument, with the first character set to lowercase, using the ISO Latin-1 (8859-1) character set..
uncapitalize [Bytes]
Return a copy of the argument, with the first character set to lowercase, using the ISO Latin-1 (8859-1) character set..
uncapitalize_ascii [String]
Return a copy of the argument, with the first character set to lowercase, using the US-ASCII character set.
uncapitalize_ascii [StringLabels]
Return a copy of the argument, with the first character set to lowercase, using the US-ASCII character set.
uncapitalize_ascii [BytesLabels]
Return a copy of the argument, with the first character set to lowercase, using the US-ASCII character set.
uncapitalize_ascii [Bytes]
Return a copy of the argument, with the first character set to lowercase, using the US-ASCII character set.
unescaped [Scanf]
unescaped s return a copy of s with escape sequences (according to the lexical conventions of OCaml) replaced by their corresponding special characters.
union [MoreLabels.Set.S]
union [MoreLabels.Map.S]
union [Map.S]
union f m1 m2 computes a map whose keys is the union of keys of m1 and of m2.
union [Set.S]
Set union.
union_left [Identifiable.S.Map]
union_left m1 m2 = union_right m2 m1
union_merge [Identifiable.S.Map]
union_right [Identifiable.S.Map]
union_right m1 m2 contains all bindings from m1 and m2.
unit_big_int [Big_int]
The big integer 1.
unix [Sys]
True if Sys.os_type = "Unix".
unlink [UnixLabels]
Removes the named file
unlink [Unix]
Removes the named file.
unlock [Mutex]
Unlock the given mutex.
unmarshal [Obj]
unpack [Ast_helper.Mod]
unpack [Ast_helper.Pat]
unreachable [Ast_helper.Exp]
unsafe_blit_to_bytes [Misc.LongString]
unsafe_get [Bigarray.Array3]
Like Bigarray.Array3.get, but bounds checking is not always performed.
unsafe_get [Bigarray.Array2]
Like Bigarray.Array2.get, but bounds checking is not always performed.
unsafe_get [Bigarray.Array1]
Like Bigarray.Array1.get, but bounds checking is not always performed.
unsafe_of_string [Bytes]
Unsafely convert a shared string to a byte sequence that should not be mutated.
unsafe_set [Bigarray.Array3]
Like Bigarray.Array3.set, but bounds checking is not always performed.
unsafe_set [Bigarray.Array2]
Like Bigarray.Array2.set, but bounds checking is not always performed.
unsafe_set [Bigarray.Array1]
Like Bigarray.Array1.set, but bounds checking is not always performed.
unsafe_string [Clflags]
unsafe_to_string [Bytes]
Unsafely convert a byte sequence into a string.
unset_data [Obj.Ephemeron]
unset_data [Ephemeron.Kn]
unset_data [Ephemeron.K2]
unset_data [Ephemeron.K1]
Ephemeron.K1.unset_data eph el sets the key of eph to be an empty key.
unset_key [Obj.Ephemeron]
unset_key [Ephemeron.Kn]
unset_key [Ephemeron.K1]
Ephemeron.K1.unset_key eph el sets the key of eph to be an empty key.
unset_key1 [Ephemeron.K2]
unset_key2 [Ephemeron.K2]
update_mod [CamlinternalMod]
uppercase [String]
Return a copy of the argument, with all lowercase letters translated to uppercase, including accented letters of the ISO Latin-1 (8859-1) character set.
uppercase [StringLabels]
Return a copy of the argument, with all lowercase letters translated to uppercase, including accented letters of the ISO Latin-1 (8859-1) character set.
uppercase [Char]
Convert the given character to its equivalent uppercase character, using the ISO Latin-1 (8859-1) character set.
uppercase [BytesLabels]
Return a copy of the argument, with all lowercase letters translated to uppercase, including accented letters of the ISO Latin-1 (8859-1) character set.
uppercase [Bytes]
Return a copy of the argument, with all lowercase letters translated to uppercase, including accented letters of the ISO Latin-1 (8859-1) character set.
uppercase_ascii [String]
Return a copy of the argument, with all lowercase letters translated to uppercase, using the US-ASCII character set.
uppercase_ascii [StringLabels]
Return a copy of the argument, with all lowercase letters translated to uppercase, using the US-ASCII character set.
uppercase_ascii [Char]
Convert the given character to its equivalent uppercase character, using the US-ASCII character set.
uppercase_ascii [BytesLabels]
Return a copy of the argument, with all lowercase letters translated to uppercase, using the US-ASCII character set.
uppercase_ascii [Bytes]
Return a copy of the argument, with all lowercase letters translated to uppercase, using the US-ASCII character set.
usage [Arg]
Arg.usage speclist usage_msg prints to standard error an error message that includes the list of valid options.
usage_string [Arg]
Returns the message that would have been printed by Arg.usage, if provided with the same parameters.
use_file [Parser]
use_file [Parse]
use_inlining_arguments_set [Clflags]
Set all the inlining arguments for a round.
use_prims [Clflags]
use_runtime [Clflags]
use_threads [Clflags]
use_vmthreads [Clflags]
utimes [UnixLabels]
Set the last access time (second arg) and last modification time (third arg) for a file.
utimes [Unix]
Set the last access time (second arg) and last modification time (third arg) for a file.

V
val_ [Ast_helper.Cf]
val_ [Ast_helper.Ctf]
value [Ast_helper.Str]
value [Ast_helper.Sig]
value_default [Misc.Stdlib.Option]
var [Ast_helper.Pat]
var [Ast_helper.Typ]
variant [Ast_helper.Exp]
variant [Ast_helper.Pat]
variant [Ast_helper.Typ]
varify_constructors [Ast_helper.Typ]
varify_constructors newtypes te is type expression te, of which any of nullary type constructor tc is replaced by type variable of the same name, if tc's name appears in newtypes.
verbose [Clflags]
version [Config]
virtual_ [Ast_helper.Cf]

W
wait [UnixLabels]
Wait until one of the children processes die, and return its pid and termination status.
wait [Unix]
Wait until one of the children processes die, and return its pid and termination status.
wait [ThreadUnix]
wait [Condition]
wait c m atomically unlocks the mutex m and suspends the calling process on the condition variable c.
wait_next_event [Graphics]
Wait until one of the events specified in the given event list occurs, and return the status of the mouse and keyboard at that time.
wait_pid [Thread]
wait_pid p suspends the execution of the calling thread until the process specified by the process identifier p terminates.
wait_read [Thread]
wait_signal [Thread]
wait_signal sigs suspends the execution of the calling thread until the process receives one of the signals specified in the list sigs.
wait_timed_read [Thread]
wait_timed_write [Thread]
Suspend the execution of the calling thread until at least one character is available for reading (wait_read) or one character can be written without blocking (wait_write) on the given Unix file descriptor.
wait_write [Thread]
This function does nothing in this implementation.
waitpid [UnixLabels]
Same as UnixLabels.wait, but waits for the child process whose pid is given.
waitpid [Unix]
Same as Unix.wait, but waits for the child process whose pid is given.
waitpid [ThreadUnix]
warn_bad_docstrings [Docstrings]
Emit warnings for unattached and ambiguous docstrings
warn_on_literal_pattern [Builtin_attributes]
warning_attribute [Builtin_attributes]
warning_enter_scope [Builtin_attributes]
warning_leave_scope [Builtin_attributes]
warning_printer [Location]
Hook for intercepting warnings.
weaken_map [Depend]
while_ [Ast_helper.Exp]
white [Graphics]
widen [CamlinternalOO]
win32 [Sys]
True if Sys.os_type = "Win32".
window_id [GraphicsX11]
Return the unique identifier of the OCaml graphics window.
with_ [Ast_helper.Mty]
with_default_loc [Ast_helper]
Set the default_loc within the scope of the execution of the provided function.
with_frame_pointers [Config]
with_warning_attribute [Builtin_attributes]
word_size [Sys]
Size of one word on the machine currently executing the OCaml program, in bits: 32 or 64.
wrap [Event]
wrap ev fn returns the event that performs the same communications as ev, then applies the post-processing function fn on the return value.
wrap_abort [Event]
wrap_abort ev fn returns the event that performs the same communications as ev, but if it is not selected the function fn is called after the synchronization.
write [UnixLabels]
write fd buff ofs len writes len bytes to descriptor fd, taking them from byte sequence buff, starting at position ofs in buff.
write [Unix]
write fd buff ofs len writes len bytes to descriptor fd, taking them from byte sequence buff, starting at position ofs in buff.
write [ThreadUnix]
write_arg [Arg]
Arg.write_arg file args writes the arguments args newline-terminated into the file file.
write_arg0 [Arg]
Identical to Arg.write_arg but uses the null character for terminator instead of newline.
write_substring [UnixLabels]
Same as write, but take the data from a string instead of a byte sequence.
write_substring [Unix]
Same as write, but take the data from a string instead of a byte sequence.
write_substring [ThreadUnix]

X
xor_big_int [Big_int]
Bitwise logical 'exclusive or'.

Y
yellow [Graphics]
yield [Thread]
Re-schedule the calling thread without suspending it.

Z
zero [Targetint]
The target integer 0.
zero [Nativeint]
The native integer 0.
zero [Int64]
The 64-bit integer 0.
zero [Int32]
The 32-bit integer 0.
zero [Complex]
The complex number 0.
zero_big_int [Big_int]
The big integer 0.
zero_to_n [Numbers.Int]
zero_to_n n is the set of numbers {0, ..., n} (inclusive).
ocaml-doc-4.05/ocaml.html/libref/StdLabels.String.html0000644000175000017500000007451513131636450021565 0ustar mehdimehdi StdLabels.String

Module StdLabels.String

module String: StringLabels

val length : string -> int
Return the length (number of characters) of the given string.
val get : string -> int -> char
String.get s n returns the character at index n in string s. You can also write s.[n] instead of String.get s n.

Raise Invalid_argument if n not a valid index in s.

val set : bytes -> int -> char -> unit
Deprecated.This is a deprecated alias of BytesLabels.set.
String.set s n c modifies byte sequence s in place, replacing the byte at index n with c. You can also write s.[n] <- c instead of String.set s n c.

Raise Invalid_argument if n is not a valid index in s.

val create : int -> bytes
Deprecated.This is a deprecated alias of BytesLabels.create.
String.create n returns a fresh byte sequence of length n. The sequence is uninitialized and contains arbitrary bytes.

Raise Invalid_argument if n < 0 or n > Sys.max_string_length.

val make : int -> char -> string
String.make n c returns a fresh string of length n, filled with the character c.

Raise Invalid_argument if n < 0 or n > Sys.max_string_length.

val init : int -> f:(int -> char) -> string
init n f returns a string of length n, with character i initialized to the result of f i.

Raise Invalid_argument if n < 0 or n > Sys.max_string_length.
Since 4.02.0

val copy : string -> string
Return a copy of the given string.
val sub : string -> pos:int -> len:int -> string
String.sub s start len returns a fresh string of length len, containing the substring of s that starts at position start and has length len.

Raise Invalid_argument if start and len do not designate a valid substring of s.

val fill : bytes -> pos:int -> len:int -> char -> unit
Deprecated.This is a deprecated alias of BytesLabels.fill.
String.fill s start len c modifies byte sequence s in place, replacing len bytes by c, starting at start.

Raise Invalid_argument if start and len do not designate a valid substring of s.

val blit : src:string -> src_pos:int -> dst:bytes -> dst_pos:int -> len:int -> unit
String.blit src srcoff dst dstoff len copies len bytes from the string src, starting at index srcoff, to byte sequence dst, starting at character number dstoff.

Raise Invalid_argument if srcoff and len do not designate a valid range of src, or if dstoff and len do not designate a valid range of dst.

val concat : sep:string -> string list -> string
String.concat sep sl concatenates the list of strings sl, inserting the separator string sep between each.
val iter : f:(char -> unit) -> string -> unit
String.iter f s applies function f in turn to all the characters of s. It is equivalent to f s.[0]; f s.[1]; ...; f s.[String.length s - 1]; ().
val iteri : f:(int -> char -> unit) -> string -> unit
Same as String.iter, but the function is applied to the index of the element as first argument (counting from 0), and the character itself as second argument.
Since 4.00.0
val map : f:(char -> char) -> string -> string
String.map f s applies function f in turn to all the characters of s and stores the results in a new string that is returned.
Since 4.00.0
val mapi : f:(int -> char -> char) -> string -> string
String.mapi f s calls f with each character of s and its index (in increasing index order) and stores the results in a new string that is returned.
Since 4.02.0
val trim : string -> string
Return a copy of the argument, without leading and trailing whitespace. The characters regarded as whitespace are: ' ', '\012', '\n', '\r', and '\t'. If there is no leading nor trailing whitespace character in the argument, return the original string itself, not a copy.
Since 4.00.0
val escaped : string -> string
Return a copy of the argument, with special characters represented by escape sequences, following the lexical conventions of OCaml. If there is no special character in the argument, return the original string itself, not a copy. Its inverse function is Scanf.unescaped.
val index : string -> char -> int
String.index s c returns the index of the first occurrence of character c in string s.

Raise Not_found if c does not occur in s.

val index_opt : string -> char -> int option
String.index_opt s c returns the index of the first occurrence of character c in string s, or None if c does not occur in s.
Since 4.05
val rindex : string -> char -> int
String.rindex s c returns the index of the last occurrence of character c in string s.

Raise Not_found if c does not occur in s.

val rindex_opt : string -> char -> int option
String.rindex_opt s c returns the index of the last occurrence of character c in string s, or None if c does not occur in s.
Since 4.05
val index_from : string -> int -> char -> int
String.index_from s i c returns the index of the first occurrence of character c in string s after position i. String.index s c is equivalent to String.index_from s 0 c.

Raise Invalid_argument if i is not a valid position in s. Raise Not_found if c does not occur in s after position i.

val index_from_opt : string -> int -> char -> int option
String.index_from_opt s i c returns the index of the first occurrence of character c in string s after position i or None if c does not occur in s after position i.

String.index_opt s c is equivalent to String.index_from_opt s 0 c. Raise Invalid_argument if i is not a valid position in s.
Since 4.05

val rindex_from : string -> int -> char -> int
String.rindex_from s i c returns the index of the last occurrence of character c in string s before position i+1. String.rindex s c is equivalent to String.rindex_from s (String.length s - 1) c.

Raise Invalid_argument if i+1 is not a valid position in s. Raise Not_found if c does not occur in s before position i+1.

val rindex_from_opt : string -> int -> char -> int option
String.rindex_from_opt s i c returns the index of the last occurrence of character c in string s before position i+1 or None if c does not occur in s before position i+1.

String.rindex_opt s c is equivalent to String.rindex_from_opt s (String.length s - 1) c.

Raise Invalid_argument if i+1 is not a valid position in s.
Since 4.05

val contains : string -> char -> bool
String.contains s c tests if character c appears in the string s.
val contains_from : string -> int -> char -> bool
String.contains_from s start c tests if character c appears in s after position start. String.contains s c is equivalent to String.contains_from s 0 c.

Raise Invalid_argument if start is not a valid position in s.

val rcontains_from : string -> int -> char -> bool
String.rcontains_from s stop c tests if character c appears in s before position stop+1.

Raise Invalid_argument if stop < 0 or stop+1 is not a valid position in s.

val uppercase : string -> string
Deprecated.Functions operating on Latin-1 character set are deprecated.
Return a copy of the argument, with all lowercase letters translated to uppercase, including accented letters of the ISO Latin-1 (8859-1) character set.
val lowercase : string -> string
Deprecated.Functions operating on Latin-1 character set are deprecated.
Return a copy of the argument, with all uppercase letters translated to lowercase, including accented letters of the ISO Latin-1 (8859-1) character set.
val capitalize : string -> string
Deprecated.Functions operating on Latin-1 character set are deprecated.
Return a copy of the argument, with the first character set to uppercase, using the ISO Latin-1 (8859-1) character set..
val uncapitalize : string -> string
Deprecated.Functions operating on Latin-1 character set are deprecated.
Return a copy of the argument, with the first character set to lowercase, using the ISO Latin-1 (8859-1) character set..
val uppercase_ascii : string -> string
Return a copy of the argument, with all lowercase letters translated to uppercase, using the US-ASCII character set.
Since 4.05.0
val lowercase_ascii : string -> string
Return a copy of the argument, with all uppercase letters translated to lowercase, using the US-ASCII character set.
Since 4.05.0
val capitalize_ascii : string -> string
Return a copy of the argument, with the first character set to uppercase, using the US-ASCII character set.
Since 4.05.0
val uncapitalize_ascii : string -> string
Return a copy of the argument, with the first character set to lowercase, using the US-ASCII character set.
Since 4.05.0
type t = string 
An alias for the type of strings.
val compare : t -> t -> int
The comparison function for strings, with the same specification as compare. Along with the type t, this function compare allows the module String to be passed as argument to the functors Set.Make and Map.Make.
val equal : t -> t -> bool
The equal function for strings.
Since 4.05.0
val split_on_char : sep:char -> string -> string list
String.split_on_char sep s returns the list of all (possibly empty) substrings of s that are delimited by the sep character.

The function's output is specified by the following invariants:


Since 4.05.0
ocaml-doc-4.05/ocaml.html/libref/type_ThreadUnix.html0000644000175000017500000004027413131636451021553 0ustar mehdimehdi ThreadUnix sig
  val execv : string -> string array -> unit
  val execve : string -> string array -> string array -> unit
  val execvp : string -> string array -> unit
  val wait : unit -> int * Unix.process_status
  val waitpid : Unix.wait_flag list -> int -> int * Unix.process_status
  val system : string -> Unix.process_status
  val read : Unix.file_descr -> bytes -> int -> int -> int
  val write : Unix.file_descr -> bytes -> int -> int -> int
  val write_substring : Unix.file_descr -> string -> int -> int -> int
  val timed_read : Unix.file_descr -> bytes -> int -> int -> float -> int
  val timed_write : Unix.file_descr -> bytes -> int -> int -> float -> int
  val timed_write_substring :
    Unix.file_descr -> string -> int -> int -> float -> int
  val select :
    Unix.file_descr list ->
    Unix.file_descr list ->
    Unix.file_descr list ->
    float ->
    Unix.file_descr list * Unix.file_descr list * Unix.file_descr list
  val pipe : ?cloexec:bool -> unit -> Unix.file_descr * Unix.file_descr
  val open_process_in : string -> Pervasives.in_channel
  val open_process_out : string -> Pervasives.out_channel
  val open_process : string -> Pervasives.in_channel * Pervasives.out_channel
  val sleep : int -> unit
  val socket :
    ?cloexec:bool ->
    Unix.socket_domain -> Unix.socket_type -> int -> Unix.file_descr
  val accept :
    ?cloexec:bool -> Unix.file_descr -> Unix.file_descr * Unix.sockaddr
  val connect : Unix.file_descr -> Unix.sockaddr -> unit
  val recv :
    Unix.file_descr -> bytes -> int -> int -> Unix.msg_flag list -> int
  val recvfrom :
    Unix.file_descr ->
    bytes -> int -> int -> Unix.msg_flag list -> int * Unix.sockaddr
  val send :
    Unix.file_descr -> bytes -> int -> int -> Unix.msg_flag list -> int
  val send_substring :
    Unix.file_descr -> string -> int -> int -> Unix.msg_flag list -> int
  val sendto :
    Unix.file_descr ->
    bytes -> int -> int -> Unix.msg_flag list -> Unix.sockaddr -> int
  val sendto_substring :
    Unix.file_descr ->
    string -> int -> int -> Unix.msg_flag list -> Unix.sockaddr -> int
  val open_connection :
    Unix.sockaddr -> Pervasives.in_channel * Pervasives.out_channel
end
ocaml-doc-4.05/ocaml.html/libref/type_Printexc.Slot.html0000644000175000017500000001676513131636450022223 0ustar mehdimehdi Printexc.Slot sig
  type t = Printexc.backtrace_slot
  val is_raise : Printexc.Slot.t -> bool
  val is_inline : Printexc.Slot.t -> bool
  val location : Printexc.Slot.t -> Printexc.location option
  val format : int -> Printexc.Slot.t -> string option
end
ocaml-doc-4.05/ocaml.html/libref/Misc.LongString.html0000644000175000017500000002134613131636446021422 0ustar mehdimehdi Misc.LongString

Module Misc.LongString

module LongString: sig .. end

type t = bytes array 
val create : int -> t
val length : t -> int
val get : t -> int -> char
val set : t -> int -> char -> unit
val blit : t -> int -> t -> int -> int -> unit
val output : out_channel -> t -> int -> int -> unit
val unsafe_blit_to_bytes : t -> int -> bytes -> int -> int -> unit
val input_bytes : in_channel -> int -> t
ocaml-doc-4.05/ocaml.html/libref/type_Hashtbl.MakeSeeded.html0000644000175000017500000002644013131636444023054 0ustar mehdimehdi Hashtbl.MakeSeeded functor (H : SeededHashedType->
  sig
    type key = H.t
    type 'a t
    val create : ?random:bool -> int -> 'a t
    val clear : 'a t -> unit
    val reset : 'a t -> unit
    val copy : 'a t -> 'a t
    val add : 'a t -> key -> '-> unit
    val remove : 'a t -> key -> unit
    val find : 'a t -> key -> 'a
    val find_opt : 'a t -> key -> 'a option
    val find_all : 'a t -> key -> 'a list
    val replace : 'a t -> key -> '-> unit
    val mem : 'a t -> key -> bool
    val iter : (key -> '-> unit) -> 'a t -> unit
    val filter_map_inplace : (key -> '-> 'a option) -> 'a t -> unit
    val fold : (key -> '-> '-> 'b) -> 'a t -> '-> 'b
    val length : 'a t -> int
    val stats : 'a t -> statistics
  end
ocaml-doc-4.05/ocaml.html/libref/Hashtbl.Make.html0000644000175000017500000002770713131636444020710 0ustar mehdimehdi Hashtbl.Make

Functor Hashtbl.Make

module Make: 
functor (H : HashedType-> S with type key = H.t
Functor building an implementation of the hashtable structure. The functor Hashtbl.Make returns a structure containing a type key of keys and a type 'a t of hash tables associating data of type 'a to keys of type key. The operations perform similarly to those of the generic interface, but use the hashing and equality functions specified in the functor argument H instead of generic equality and hashing. Since the hash function is not seeded, the create operation of the result structure always returns non-randomized hash tables.
Parameters:
H : HashedType

type key 
type 'a t 
val create : int -> 'a t
val clear : 'a t -> unit
val reset : 'a t -> unit
Since 4.00.0
val copy : 'a t -> 'a t
val add : 'a t -> key -> 'a -> unit
val remove : 'a t -> key -> unit
val find : 'a t -> key -> 'a
val find_opt : 'a t -> key -> 'a option
Since 4.05.0
val find_all : 'a t -> key -> 'a list
val replace : 'a t -> key -> 'a -> unit
val mem : 'a t -> key -> bool
val iter : (key -> 'a -> unit) -> 'a t -> unit
val filter_map_inplace : (key -> 'a -> 'a option) -> 'a t -> unit
Since 4.03.0
val fold : (key -> 'a -> 'b -> 'b) -> 'a t -> 'b -> 'b
val length : 'a t -> int
val stats : 'a t -> Hashtbl.statistics
Since 4.00.0
ocaml-doc-4.05/ocaml.html/libref/UnixLabels.html0000644000175000017500000066540013131636451020511 0ustar mehdimehdi UnixLabels

Module UnixLabels

module UnixLabels: sig .. end
Interface to the Unix system. To use as replacement to default Unix module, add module Unix = UnixLabels in your implementation.


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.
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.

Access to the process environment

val environment : unit -> string array
Return the process environment, as an array of strings with the format ``variable=value''.
val getenv : string -> string
Return the value associated to a variable in the process environment. Raise Not_found if the variable is unbound. (This function is identical to Sys.getenv.)
val putenv : string -> string -> unit
Unix.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.

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 UnixLabels.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; on failure, a UnixLabels.Unix_error exception is raised.
val execve : prog:string -> args:string array -> env:string array -> 'a
Same as UnixLabels.execv, except that the third argument provides the environment to the program executed.
val execvp : prog:string -> args:string array -> 'a
Same as UnixLabels.execv, except that the program is searched in the path.
val execvpe : prog:string -> args:string array -> env:string array -> 'a
Same as UnixLabels.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.
val wait : unit -> int * process_status
Wait until one of the children processes die, and return its pid and termination status.
val waitpid : mode:wait_flag list -> int -> int * process_status
Same as UnixLabels.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, or also report stopped children.
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 and therefore can contain redirections, quotes, variables, etc. The result WEXITED 127 indicates that the shell couldn't be executed.
val getpid : unit -> int
Return the pid of the process.
val getppid : unit -> int
Return the pid of the parent process.
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.

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 UnixLabels.openfile
*)
| O_KEEPEXEC (*
Clear the close-on-exec flag. This is currently the default.
*)
The flags to UnixLabels.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. Return a file descriptor on the named file.
val close : file_descr -> unit
Close a file descriptor.
val read : file_descr -> buf:bytes -> pos:int -> len:int -> int
read fd buff ofs len reads len bytes from descriptor fd, storing them in byte sequence buff, starting at position ofs in buff. Return the number of bytes actually read.
val write : file_descr -> buf:bytes -> pos:int -> len:int -> int
write fd buff ofs len writes len bytes to descriptor fd, taking them from byte sequence buff, starting at position ofs 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

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.
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.
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.

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 UnixLabels.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.

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 minor number
*)
   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 UnixLabels.stat calls.
val stat : string -> stats
Return the information for the named file.
val lstat : string -> stats
Same as UnixLabels.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.

File operations on large files

module LargeFile: sig .. end
File operations on large files.

Operations on file names

val unlink : string -> unit
Removes the named file
val rename : src:string -> dst:string -> unit
rename old new changes the name of a file from old to new.
val link : src:string -> dst:string -> unit
link source dest creates a hard link named dest to the file named source.

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 UnixLabels.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.
val chown : string -> uid:int -> gid:int -> unit
Change the owner uid and owner gid of the named file.
val fchown : file_descr -> uid:int -> gid:int -> unit
Change the owner uid and owner gid of an opened file.
val umask : int -> int
Set the process's file mode creation mask, and return the previous mask.
val access : string -> perm:access_permission list -> unit
Check that the process has the given permissions over the named file. Raise Unix_error otherwise.

Operations on file descriptors

val dup : ?cloexec:bool -> file_descr -> file_descr
Return a new file descriptor referencing the same file as the given descriptor.
val dup2 : ?cloexec:bool ->
src:file_descr -> dst:file_descr -> unit
dup2 fd1 fd2 duplicates fd1 to fd2, closing fd2 if already opened.
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 UnixLabels.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 functions.
val clear_close_on_exec : file_descr -> unit
Clear the ``close-on-exec'' flag on the given descriptor. See UnixLabels.set_close_on_exec.

Directories

val mkdir : string -> perm:file_perm -> unit
Create a directory with the given permissions.
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.
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.
Raises 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.

Pipes and redirections

val pipe : ?cloexec: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.
val mkfifo : string -> perm:file_perm -> unit
Create a named pipe with the given permissions.

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 new_stdin new_stdout new_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 new_stdin, new_stdout and new_stderr. Passing e.g. stdout for new_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 new_stdin new_stdout new_stderr works as UnixLabels.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 (cf. system).
val open_process_out : string -> out_channel
Same as UnixLabels.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 flush at the right times to ensure correct synchronization.
val open_process : string -> in_channel * out_channel
Same as UnixLabels.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.
val open_process_full : string ->
env:string array ->
in_channel * out_channel * in_channel
Similar to UnixLabels.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.
val close_process_in : in_channel -> process_status
Close channels opened by UnixLabels.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 UnixLabels.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 UnixLabels.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 UnixLabels.open_process_full, wait for the associated command to terminate, and return its termination status.


val symlink : ?to_dir:bool -> src:string -> dst:string -> unit
symlink source dest creates the file dest as a symbolic link to the file source. See Unix.symlink for details of ~to_dir
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 link.

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).

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 UnixLabels.lockf.
val lockf : file_descr -> mode:lock_command -> len:int -> unit
lockf fd cmd size 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 UnixLabels.lseek), and extends size bytes forward if size is positive, size bytes backwards if size is negative, or to the end of the file if size 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.


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 sig sends signal number sig to the process with id pid.
type sigprocmask_command = Unix.sigprocmask_command = 
| SIG_SETMASK
| SIG_BLOCK
| SIG_UNBLOCK
val sigprocmask : mode:sigprocmask_command -> int list -> int list
sigprocmask cmd sigs changes the set of blocked signals. If cmd is SIG_SETMASK, blocked signals are set to those in the list sigs. If cmd is SIG_BLOCK, the signals in sigs are added to the set of blocked signals. If cmd is SIG_UNBLOCK, the signals in sigs are removed from the set of blocked signals. sigprocmask returns the set of previously blocked signals.
val sigpending : unit -> int list
Return the set of blocked signals that are currently pending.
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.
val pause : unit -> unit
Wait until a non-ignored, non-blocked signal is delivered.

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 UnixLabels.time, but with resolution better than 1 second.
val gmtime : float -> tm
Convert a time in seconds, as returned by UnixLabels.time, into a date and a time. Assumes UTC (Coordinated Universal Time), also known as GMT.
val localtime : float -> tm
Convert a time in seconds, as returned by UnixLabels.time, into a date and a time. Assumes the local time zone.
val mktime : tm -> float * tm
Convert a date and time, specified by the tm argument, into a time in seconds, as returned by UnixLabels.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.
val sleep : int -> unit
Stop execution for the given number of seconds.
val times : unit -> process_times
Return the execution times of the process.
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. A time of 0.0 is interpreted as 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.
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 disable the timer. Setting s.it_interval to zero causes the timer to be disabled after its next expiration.

User id, group id

val getuid : unit -> int
Return the user id of the user executing the process.
val geteuid : unit -> int
Return the effective user id under which the process runs.
val setuid : int -> unit
Set the real user id and effective user id for the process.
val getgid : unit -> int
Return the group id of the user executing the process.
val getegid : unit -> int
Return the effective group id under which the process runs.
val setgid : int -> unit
Set the real group id and effective group id for the process.
val getgroups : unit -> int array
Return the list of groups to which the user executing the process belongs.
val setgroups : int array -> unit
setgroups groups sets the supplementary group IDs for the calling process. Appropriate privileges are required.
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.
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, or raise Not_found.
val getgrnam : string -> group_entry
Find an entry in group with the given name, or raise Not_found.
val getpwuid : int -> passwd_entry
Find an entry in passwd with the given user id, or raise Not_found.
val getgrgid : int -> group_entry
Find an entry in group with the given group id, or raise Not_found.

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 Unix.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).

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).
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.
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: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.
val domain_of_sockaddr : sockaddr -> socket_domain
Return the socket domain adequate for the given socket address.
val socketpair : ?cloexec:bool ->
domain:socket_domain ->
kind:socket_type ->
protocol:int -> file_descr * file_descr
Create a pair of unnamed sockets, connected together.
val accept : ?cloexec: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.
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 (* *)
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

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
*)
The socket options that can be consulted with UnixLabels.getsockopt and modified with UnixLabels.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 Unix.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 UnixLabels.getsockopt_int and modified with UnixLabels.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 Unix.getsockopt_optint and modified with Unix.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 UnixLabels.getsockopt_float and modified with UnixLabels.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 Unix.getsockopt for an integer-valued socket option.
val setsockopt_int : file_descr -> socket_int_option -> int -> unit
Same as Unix.setsockopt for an integer-valued socket option.
val getsockopt_optint : file_descr -> socket_optint_option -> int option
Same as Unix.getsockopt for a socket option whose value is an int option.
val setsockopt_optint : file_descr ->
socket_optint_option -> int option -> unit
Same as Unix.setsockopt for a socket option whose value is an int option.
val getsockopt_float : file_descr -> socket_float_option -> float
Same as Unix.getsockopt for a socket option whose value is a floating-point number.
val setsockopt_float : file_descr -> socket_float_option -> float -> unit
Same as Unix.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.

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 flush on the output channel at the right times to ensure correct synchronization.
val shutdown_connection : in_channel -> unit
``Shut down'' a connection established with UnixLabels.open_connection; that is, transmit an end-of-file condition to the server reading on the other side of the connection.
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 UnixLabels.establish_server never returns normally.

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, or raise Not_found.
val gethostbyaddr : inet_addr -> host_entry
Find an entry in hosts with the given address, or raise Not_found.
val getprotobyname : string -> protocol_entry
Find an entry in protocols with the given name, or raise Not_found.
val getprotobynumber : int -> protocol_entry
Find an entry in protocols with the given protocol number, or raise Not_found.
val getservbyname : string -> protocol:string -> service_entry
Find an entry in services with the given name, or raise Not_found.
val getservbyport : int -> protocol:string -> service_entry
Find an entry in services with the given service number, or raise Not_found.
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 Unix.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 Unix.bind
*)
Options to Unix.getaddrinfo.
val getaddrinfo : string ->
string -> getaddrinfo_option list -> addr_info list
getaddrinfo host service opts returns a list of Unix.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 Unix.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 Unix.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.

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 = {
   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.
*)
   mutable c_opost : bool; (*
Enable output processing.
*)
   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.
*)
   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.
*)
   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.
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.
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).
val tcdrain : file_descr -> unit
Waits until all output written on the given file descriptor has been transmitted.
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.
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.
val setsid : unit -> int
Put the calling process in a new session and detach it from its controlling terminal.
ocaml-doc-4.05/ocaml.html/libref/Bigarray.Array0.html0000644000175000017500000002753113131636442021335 0ustar mehdimehdi Bigarray.Array0

Module Bigarray.Array0

module Array0: sig .. end
Zero-dimensional arrays. The Array0 structure provides operations similar to those of Bigarray.Genarray, but specialized to the case of zero-dimensional arrays that only contain a single scalar value. Statically knowing the number of dimensions of the array allows faster operations, and more precise static type-checking.
Since 4.05.0

type ('a, 'b, 'c) t 
The type of zero-dimensional big arrays whose elements have OCaml type 'a, representation kind 'b, and memory layout 'c.
val create : ('a, 'b) Bigarray.kind ->
'c Bigarray.layout -> ('a, 'b, 'c) t
Array0.create kind layout returns a new bigarray of zero dimension. kind and layout determine the array element kind and the array layout as described for Bigarray.Genarray.create.
val kind : ('a, 'b, 'c) t -> ('a, 'b) Bigarray.kind
Return the kind of the given big array.
val layout : ('a, 'b, 'c) t -> 'c Bigarray.layout
Return the layout of the given big array.
val size_in_bytes : ('a, 'b, 'c) t -> int
size_in_bytes a is a's Bigarray.kind_size_in_bytes.
val get : ('a, 'b, 'c) t -> 'a
Array0.get a returns the only element in a.
val set : ('a, 'b, 'c) t -> 'a -> unit
Array0.set a x v stores the value v in a.
val blit : ('a, 'b, 'c) t -> ('a, 'b, 'c) t -> unit
Copy the first big array to the second big array. See Bigarray.Genarray.blit for more details.
val fill : ('a, 'b, 'c) t -> 'a -> unit
Fill the given big array with the given value. See Bigarray.Genarray.fill for more details.
val of_value : ('a, 'b) Bigarray.kind ->
'c Bigarray.layout -> 'a -> ('a, 'b, 'c) t
Build a zero-dimensional big array initialized from the given value.
ocaml-doc-4.05/ocaml.html/libref/GraphicsX11.html0000644000175000017500000002026213131636444020466 0ustar mehdimehdi GraphicsX11

Module GraphicsX11

module GraphicsX11: sig .. end
Additional graphics primitives for the X Windows system.

type window_id = string 
val window_id : unit -> window_id
Return the unique identifier of the OCaml graphics window. The returned string is an unsigned 32 bits integer in decimal form.
val open_subwindow : x:int -> y:int -> width:int -> height:int -> window_id
Create a sub-window of the current OCaml graphics window and return its identifier.
val close_subwindow : window_id -> unit
Close the sub-window having the given identifier.
ocaml-doc-4.05/ocaml.html/libref/type_Ast_helper.Te.html0000644000175000017500000002421313131636441022127 0ustar mehdimehdi Ast_helper.Te sig
  val mk :
    ?attrs:Ast_helper.attrs ->
    ?docs:Docstrings.docs ->
    ?params:(Parsetree.core_type * Asttypes.variance) list ->
    ?priv:Asttypes.private_flag ->
    Ast_helper.lid ->
    Parsetree.extension_constructor list -> Parsetree.type_extension
  val constructor :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    ?docs:Docstrings.docs ->
    ?info:Docstrings.info ->
    Ast_helper.str ->
    Parsetree.extension_constructor_kind -> Parsetree.extension_constructor
  val decl :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    ?docs:Docstrings.docs ->
    ?info:Docstrings.info ->
    ?args:Parsetree.constructor_arguments ->
    ?res:Parsetree.core_type ->
    Ast_helper.str -> Parsetree.extension_constructor
  val rebind :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    ?docs:Docstrings.docs ->
    ?info:Docstrings.info ->
    Ast_helper.str -> Ast_helper.lid -> Parsetree.extension_constructor
end
ocaml-doc-4.05/ocaml.html/libref/type_Pervasives.LargeFile.html0000644000175000017500000001721213131636450023453 0ustar mehdimehdi Pervasives.LargeFile sig
  val seek_out : Pervasives.out_channel -> int64 -> unit
  val pos_out : Pervasives.out_channel -> int64
  val out_channel_length : Pervasives.out_channel -> int64
  val seek_in : Pervasives.in_channel -> int64 -> unit
  val pos_in : Pervasives.in_channel -> int64
  val in_channel_length : Pervasives.in_channel -> int64
end
ocaml-doc-4.05/ocaml.html/libref/Set.html0000644000175000017500000002455213131636450017172 0ustar mehdimehdi Set

Module Set

module Set: sig .. end
Sets over ordered types.

This module implements the set data structure, given a total ordering function over the set elements. All operations over sets are purely applicative (no side-effects). The implementation uses balanced binary trees, and is therefore reasonably efficient: insertion and membership take time logarithmic in the size of the set, for instance.

The Set.Make functor constructs implementations for any type, given a compare function. For instance:

     module IntPairs =
       struct
         type t = int * int
         let compare (x0,y0) (x1,y1) =
           match Pervasives.compare x0 x1 with
               0 -> Pervasives.compare y0 y1
             | c -> c
       end

     module PairsSet = Set.Make(IntPairs)

     let m = PairsSet.(empty |> add (2,3) |> add (5,7) |> add (11,13))
   

This creates a new module PairsSet, with a new type PairsSet.t of sets of int * int.


module type OrderedType = sig .. end
Input signature of the functor Set.Make.
module type S = sig .. end
Output signature of the functor Set.Make.
module Make: 
functor (Ord : OrderedType-> S with type elt = Ord.t
Functor building an implementation of the set structure given a totally ordered type.
ocaml-doc-4.05/ocaml.html/libref/type_Bigarray.Array2.html0000644000175000017500000004326413131636442022401 0ustar mehdimehdi Bigarray.Array2 sig
  type ('a, 'b, 'c) t
  val create :
    ('a, 'b) Bigarray.kind ->
    'Bigarray.layout -> int -> int -> ('a, 'b, 'c) Bigarray.Array2.t
  external dim1 : ('a, 'b, 'c) Bigarray.Array2.t -> int = "%caml_ba_dim_1"
  external dim2 : ('a, 'b, 'c) Bigarray.Array2.t -> int = "%caml_ba_dim_2"
  external kind : ('a, 'b, 'c) Bigarray.Array2.t -> ('a, 'b) Bigarray.kind
    = "caml_ba_kind"
  external layout : ('a, 'b, 'c) Bigarray.Array2.t -> 'Bigarray.layout
    = "caml_ba_layout"
  val size_in_bytes : ('a, 'b, 'c) Bigarray.Array2.t -> int
  external get : ('a, 'b, 'c) Bigarray.Array2.t -> int -> int -> 'a
    = "%caml_ba_ref_2"
  external set : ('a, 'b, 'c) Bigarray.Array2.t -> int -> int -> '-> unit
    = "%caml_ba_set_2"
  external sub_left :
    ('a, 'b, Bigarray.c_layout) Bigarray.Array2.t ->
    int -> int -> ('a, 'b, Bigarray.c_layout) Bigarray.Array2.t
    = "caml_ba_sub"
  external sub_right :
    ('a, 'b, Bigarray.fortran_layout) Bigarray.Array2.t ->
    int -> int -> ('a, 'b, Bigarray.fortran_layout) Bigarray.Array2.t
    = "caml_ba_sub"
  val slice_left :
    ('a, 'b, Bigarray.c_layout) Bigarray.Array2.t ->
    int -> ('a, 'b, Bigarray.c_layout) Bigarray.Array1.t
  val slice_right :
    ('a, 'b, Bigarray.fortran_layout) Bigarray.Array2.t ->
    int -> ('a, 'b, Bigarray.fortran_layout) Bigarray.Array1.t
  external blit :
    ('a, 'b, 'c) Bigarray.Array2.t -> ('a, 'b, 'c) Bigarray.Array2.t -> unit
    = "caml_ba_blit"
  external fill : ('a, 'b, 'c) Bigarray.Array2.t -> '-> unit
    = "caml_ba_fill"
  val of_array :
    ('a, 'b) Bigarray.kind ->
    'Bigarray.layout -> 'a array array -> ('a, 'b, 'c) Bigarray.Array2.t
  val map_file :
    Unix.file_descr ->
    ?pos:int64 ->
    ('a, 'b) Bigarray.kind ->
    'Bigarray.layout ->
    bool -> int -> int -> ('a, 'b, 'c) Bigarray.Array2.t
  external unsafe_get : ('a, 'b, 'c) Bigarray.Array2.t -> int -> int -> 'a
    = "%caml_ba_unsafe_ref_2"
  external unsafe_set :
    ('a, 'b, 'c) Bigarray.Array2.t -> int -> int -> '-> unit
    = "%caml_ba_unsafe_set_2"
end
ocaml-doc-4.05/ocaml.html/libref/Gc.html0000644000175000017500000011372313131636444016772 0ustar mehdimehdi Gc

Module Gc

module Gc: sig .. end
Memory management control and statistics; finalised values.

type stat = {
   minor_words : float; (*
Number of words allocated in the minor heap since the program was started. This number is accurate in byte-code programs, but only an approximation in programs compiled to native code.
*)
   promoted_words : float; (*
Number of words allocated in the minor heap that survived a minor collection and were moved to the major heap since the program was started.
*)
   major_words : float; (*
Number of words allocated in the major heap, including the promoted words, since the program was started.
*)
   minor_collections : int; (*
Number of minor collections since the program was started.
*)
   major_collections : int; (*
Number of major collection cycles completed since the program was started.
*)
   heap_words : int; (*
Total size of the major heap, in words.
*)
   heap_chunks : int; (*
Number of contiguous pieces of memory that make up the major heap.
*)
   live_words : int; (*
Number of words of live data in the major heap, including the header words.
*)
   live_blocks : int; (*
Number of live blocks in the major heap.
*)
   free_words : int; (*
Number of words in the free list.
*)
   free_blocks : int; (*
Number of blocks in the free list.
*)
   largest_free : int; (*
Size (in words) of the largest block in the free list.
*)
   fragments : int; (*
Number of wasted words due to fragmentation. These are 1-words free blocks placed between two live blocks. They are not available for allocation.
*)
   compactions : int; (*
Number of heap compactions since the program was started.
*)
   top_heap_words : int; (*
Maximum size reached by the major heap, in words.
*)
   stack_size : int; (*
Current size of the stack, in words.
Since 3.12.0
*)
}
The memory management counters are returned in a stat record.

The total amount of memory allocated by the program since it was started is (in words) minor_words + major_words - promoted_words. Multiply by the word size (4 on a 32-bit machine, 8 on a 64-bit machine) to get the number of bytes.

type control = {
   mutable minor_heap_size : int; (*
The size (in words) of the minor heap. Changing this parameter will trigger a minor collection. Default: 256k.
*)
   mutable major_heap_increment : int; (*
How much to add to the major heap when increasing it. If this number is less than or equal to 1000, it is a percentage of the current heap size (i.e. setting it to 100 will double the heap size at each increase). If it is more than 1000, it is a fixed number of words that will be added to the heap. Default: 15.
*)
   mutable space_overhead : int; (*
The major GC speed is computed from this parameter. This is the memory that will be "wasted" because the GC does not immediatly collect unreachable blocks. It is expressed as a percentage of the memory used for live data. The GC will work more (use more CPU time and collect blocks more eagerly) if space_overhead is smaller. Default: 80.
*)
   mutable verbose : int; (*
This value controls the GC messages on standard error output. It is a sum of some of the following flags, to print messages on the corresponding events:
  • 0x001 Start of major GC cycle.
  • 0x002 Minor collection and major GC slice.
  • 0x004 Growing and shrinking of the heap.
  • 0x008 Resizing of stacks and memory manager tables.
  • 0x010 Heap compaction.
  • 0x020 Change of GC parameters.
  • 0x040 Computation of major GC slice size.
  • 0x080 Calling of finalisation functions.
  • 0x100 Bytecode executable and shared library search at start-up.
  • 0x200 Computation of compaction-triggering condition.
  • 0x400 Output GC statistics at program exit. Default: 0.

*)
   mutable max_overhead : int; (*
Heap compaction is triggered when the estimated amount of "wasted" memory is more than max_overhead percent of the amount of live data. If max_overhead is set to 0, heap compaction is triggered at the end of each major GC cycle (this setting is intended for testing purposes only). If max_overhead >= 1000000, compaction is never triggered. If compaction is permanently disabled, it is strongly suggested to set allocation_policy to 1. Default: 500.
*)
   mutable stack_limit : int; (*
The maximum size of the stack (in words). This is only relevant to the byte-code runtime, as the native code runtime uses the operating system's stack. Default: 1024k.
*)
   mutable allocation_policy : int; (*
The policy used for allocating in the heap. Possible values are 0 and 1. 0 is the next-fit policy, which is quite fast but can result in fragmentation. 1 is the first-fit policy, which can be slower in some cases but can be better for programs with fragmentation problems. Default: 0.
Since 3.11.0
*)
   window_size : int; (*
The size of the window used by the major GC for smoothing out variations in its workload. This is an integer between 1 and 50. Default: 1.
Since 4.03.0
*)
}
The GC parameters are given as a control record. Note that these parameters can also be initialised by setting the OCAMLRUNPARAM environment variable. See the documentation of ocamlrun.
val stat : unit -> stat
Return the current values of the memory management counters in a stat record. This function examines every heap block to get the statistics.
val quick_stat : unit -> stat
Same as stat except that live_words, live_blocks, free_words, free_blocks, largest_free, and fragments are set to 0. This function is much faster than stat because it does not need to go through the heap.
val counters : unit -> float * float * float
Return (minor_words, promoted_words, major_words). This function is as fast as quick_stat.
val minor_words : unit -> float
Number of words allocated in the minor heap since the program was started. This number is accurate in byte-code programs, but only an approximation in programs compiled to native code.

In native code this function does not allocate.
Since 4.04

val get : unit -> control
Return the current values of the GC parameters in a control record.
val set : control -> unit
set r changes the GC parameters according to the control record r. The normal usage is: Gc.set { (Gc.get()) with Gc.verbose = 0x00d }
val minor : unit -> unit
Trigger a minor collection.
val major_slice : int -> int
major_slice n Do a minor collection and a slice of major collection. n is the size of the slice: the GC will do enough work to free (on average) n words of memory. If n = 0, the GC will try to do enough work to ensure that the next automatic slice has no work to do. This function returns an unspecified integer (currently: 0).
val major : unit -> unit
Do a minor collection and finish the current major collection cycle.
val full_major : unit -> unit
Do a minor collection, finish the current major collection cycle, and perform a complete new cycle. This will collect all currently unreachable blocks.
val compact : unit -> unit
Perform a full major collection and compact the heap. Note that heap compaction is a lengthy operation.
val print_stat : out_channel -> unit
Print the current values of the memory management counters (in human-readable form) into the channel argument.
val allocated_bytes : unit -> float
Return the total number of bytes allocated since the program was started. It is returned as a float to avoid overflow problems with int on 32-bit machines.
val get_minor_free : unit -> int
Return the current size of the free space inside the minor heap.
Since 4.03.0
val get_bucket : int -> int
get_bucket n returns the current size of the n-th future bucket of the GC smoothing system. The unit is one millionth of a full GC. Raise Invalid_argument if n is negative, return 0 if n is larger than the smoothing window.
Since 4.03.0
val get_credit : unit -> int
get_credit () returns the current size of the "work done in advance" counter of the GC smoothing system. The unit is one millionth of a full GC.
Since 4.03.0
val huge_fallback_count : unit -> int
Return the number of times we tried to map huge pages and had to fall back to small pages. This is always 0 if OCAMLRUNPARAM contains H=1.
Since 4.03.0
val finalise : ('a -> unit) -> 'a -> unit
finalise f v registers f as a finalisation function for v. v must be heap-allocated. f will be called with v as argument at some point between the first time v becomes unreachable (including through weak pointers) and the time v is collected by the GC. Several functions can be registered for the same value, or even several instances of the same function. Each instance will be called once (or never, if the program terminates before v becomes unreachable).

The GC will call the finalisation functions in the order of deallocation. When several values become unreachable at the same time (i.e. during the same GC cycle), the finalisation functions will be called in the reverse order of the corresponding calls to finalise. If finalise is called in the same order as the values are allocated, that means each value is finalised before the values it depends upon. Of course, this becomes false if additional dependencies are introduced by assignments.

In the presence of multiple OCaml threads it should be assumed that any particular finaliser may be executed in any of the threads.

Anything reachable from the closure of finalisation functions is considered reachable, so the following code will not work as expected:

Instead you should make sure that v is not in the closure of the finalisation function by writing: The f function can use all features of OCaml, including assignments that make the value reachable again. It can also loop forever (in this case, the other finalisation functions will not be called during the execution of f, unless it calls finalise_release). It can call finalise on v or other values to register other functions or even itself. It can raise an exception; in this case the exception will interrupt whatever the program was doing when the function was called.

finalise will raise Invalid_argument if v is not guaranteed to be heap-allocated. Some examples of values that are not heap-allocated are integers, constant constructors, booleans, the empty array, the empty list, the unit value. The exact list of what is heap-allocated or not is implementation-dependent. Some constant values can be heap-allocated but never deallocated during the lifetime of the program, for example a list of integer constants; this is also implementation-dependent. Note that values of types float are sometimes allocated and sometimes not, so finalising them is unsafe, and finalise will also raise Invalid_argument for them. Values of type 'Lazy.t (for any 'a) are like float in this respect, except that the compiler sometimes optimizes them in a way that prevents finalise from detecting them. In this case, it will not raise Invalid_argument, but you should still avoid calling finalise on lazy values.

The results of calling String.make, Bytes.make, Bytes.create, Array.make, and ref are guaranteed to be heap-allocated and non-constant except when the length argument is 0.

val finalise_last : (unit -> unit) -> 'a -> unit
same as Gc.finalise except the value is not given as argument. So you can't use the given value for the computation of the finalisation function. The benefit is that the function is called after the value is unreachable for the last time instead of the first time. So contrary to Gc.finalise the value will never be reachable again or used again. In particular every weak pointer and ephemeron that contained this value as key or data is unset before running the finalisation function. Moreover the finalisation function attached with `GC.finalise` are always called before the finalisation function attached with `GC.finalise_last`.
Since 4.04
val finalise_release : unit -> unit
A finalisation function may call finalise_release to tell the GC that it can launch the next finalisation function without waiting for the current one to return.
type alarm 
An alarm is a piece of data that calls a user function at the end of each major GC cycle. The following functions are provided to create and delete alarms.
val create_alarm : (unit -> unit) -> alarm
create_alarm f will arrange for f to be called at the end of each major GC cycle, starting with the current cycle or the next one. A value of type alarm is returned that you can use to call delete_alarm.
val delete_alarm : alarm -> unit
delete_alarm a will stop the calls to the function associated to a. Calling delete_alarm a again has no effect.
ocaml-doc-4.05/ocaml.html/libref/type_Depend.StringSet.html0000644000175000017500000003205213131636443022614 0ustar mehdimehdi Depend.StringSet sig
  type elt = string
  type t
  val empty : t
  val is_empty : t -> bool
  val mem : elt -> t -> bool
  val add : elt -> t -> t
  val singleton : elt -> t
  val remove : elt -> t -> t
  val union : t -> t -> t
  val inter : t -> t -> t
  val diff : t -> t -> t
  val compare : t -> t -> int
  val equal : t -> t -> bool
  val subset : t -> t -> bool
  val iter : (elt -> unit) -> t -> unit
  val map : (elt -> elt) -> t -> t
  val fold : (elt -> '-> 'a) -> t -> '-> 'a
  val for_all : (elt -> bool) -> t -> bool
  val exists : (elt -> bool) -> t -> bool
  val filter : (elt -> bool) -> t -> t
  val partition : (elt -> bool) -> t -> t * t
  val cardinal : t -> int
  val elements : t -> elt list
  val min_elt : t -> elt
  val min_elt_opt : t -> elt option
  val max_elt : t -> elt
  val max_elt_opt : t -> elt option
  val choose : t -> elt
  val choose_opt : t -> elt option
  val split : elt -> t -> t * bool * t
  val find : elt -> t -> elt
  val find_opt : elt -> t -> elt option
  val find_first : (elt -> bool) -> t -> elt
  val find_first_opt : (elt -> bool) -> t -> elt option
  val find_last : (elt -> bool) -> t -> elt
  val find_last_opt : (elt -> bool) -> t -> elt option
  val of_list : elt list -> t
end
ocaml-doc-4.05/ocaml.html/libref/Ephemeron.html0000644000175000017500000002762513131636443020367 0ustar mehdimehdi Ephemeron

Module Ephemeron

module Ephemeron: sig .. end
Ephemerons and weak hash table


Ephemerons and weak hash table

Ephemerons and weak hash table are useful when one wants to cache or memorize the computation of a function, as long as the arguments and the function are used, without creating memory leaks by continuously keeping old computation results that are not useful anymore because one argument or the function is freed. An implementation using is not suitable because all associations would keep in memory the arguments and the result.

Ephemerons can also be used for "adding" a field to an arbitrary boxed ocaml value: you can attach an information to a value created by an external library without memory leaks.

Ephemerons hold some keys and one or no data. They are all boxed ocaml values. The keys of an ephemeron have the same behavior than weak pointers according to the garbage collector. In fact ocaml weak pointers are implemented as ephemerons without data.

The keys and data of an ephemeron are said to be full if they point to a value, empty if the value have never been set, have been unset, or was erased by the GC. In the function that accesses the keys or data these two states are represented by the option type.

The data is considered by the garbage collector alive if all the full keys are alive and if the ephemeron is alive. When one of the keys is not considered alive anymore by the GC, the data is emptied from the ephemeron. The data could be alive for another reason and in that case the GC will not free it, but the ephemeron will not hold the data anymore.

The ephemerons complicate the notion of liveness of values, because it is not anymore an equivalence with the reachability from root value by usual pointers (not weak and not ephemerons). With ephemerons the notion of liveness is constructed by the least fixpoint of: A value is alive if:

Notes: Ephemerons are defined in a language agnostic way in this paper: B. Hayes, Ephemerons: a New Finalization Mechanism, OOPSLA'9
module type S = sig .. end
The output signature of the functor Ephemeron.K1.Make and Ephemeron.K2.Make.
module type SeededS = sig .. end
The output signature of the functor Ephemeron.K1.MakeSeeded and Ephemeron.K2.MakeSeeded.
module K1: sig .. end
module K2: sig .. end
module Kn: sig .. end
module GenHashTable: sig .. end
ocaml-doc-4.05/ocaml.html/libref/type_Misc.Stdlib.html0000644000175000017500000003662113131636446021620 0ustar mehdimehdi Misc.Stdlib sig
  module List :
    sig
      type 'a t = 'a list
      val compare :
        ('-> '-> int) ->
        'Misc.Stdlib.List.t -> 'Misc.Stdlib.List.t -> int
      val equal :
        ('-> '-> bool) ->
        'Misc.Stdlib.List.t -> 'Misc.Stdlib.List.t -> bool
      val filter_map :
        ('-> 'b option) -> 'Misc.Stdlib.List.t -> 'Misc.Stdlib.List.t
      val some_if_all_elements_are_some :
        'a option Misc.Stdlib.List.t -> 'Misc.Stdlib.List.t option
      val map2_prefix :
        ('-> '-> 'c) ->
        'Misc.Stdlib.List.t ->
        'Misc.Stdlib.List.t ->
        'Misc.Stdlib.List.t * 'Misc.Stdlib.List.t
      val split_at :
        int ->
        'Misc.Stdlib.List.t ->
        'Misc.Stdlib.List.t * 'Misc.Stdlib.List.t
    end
  module Option :
    sig
      type 'a t = 'a option
      val equal :
        ('-> '-> bool) ->
        'Misc.Stdlib.Option.t -> 'Misc.Stdlib.Option.t -> bool
      val iter : ('-> unit) -> 'Misc.Stdlib.Option.t -> unit
      val map :
        ('-> 'b) -> 'Misc.Stdlib.Option.t -> 'Misc.Stdlib.Option.t
      val fold : ('-> '-> 'b) -> 'Misc.Stdlib.Option.t -> '-> 'b
      val value_default :
        ('-> 'b) -> default:'-> 'Misc.Stdlib.Option.t -> 'b
    end
end
ocaml-doc-4.05/ocaml.html/libref/Builtin_attributes.html0000644000175000017500000002441313131636442022310 0ustar mehdimehdi Builtin_attributes

Module Builtin_attributes

module Builtin_attributes: sig .. end

val check_deprecated : Location.t -> Parsetree.attributes -> string -> unit
val deprecated_of_attrs : Parsetree.attributes -> string option
val deprecated_of_sig : Parsetree.signature -> string option
val deprecated_of_str : Parsetree.structure -> string option
val check_deprecated_mutable : Location.t -> Parsetree.attributes -> string -> unit
val error_of_extension : Parsetree.extension -> Location.error
val warning_enter_scope : unit -> unit
val warning_leave_scope : unit -> unit
val warning_attribute : Parsetree.attributes -> unit
val with_warning_attribute : Parsetree.attributes -> (unit -> 'a) -> 'a
val emit_external_warnings : Ast_iterator.iterator
val warn_on_literal_pattern : Parsetree.attributes -> bool
val explicit_arity : Parsetree.attributes -> bool
val immediate : Parsetree.attributes -> bool
val has_unboxed : Parsetree.attributes -> bool
val has_boxed : Parsetree.attributes -> bool
ocaml-doc-4.05/ocaml.html/libref/Hashtbl.html0000644000175000017500000010363613131636444020030 0ustar mehdimehdi Hashtbl

Module Hashtbl

module Hashtbl: sig .. end
Hash tables and hash functions.

Hash tables are hashed association tables, with in-place modification.



Generic interface

type ('a, 'b) t 
The type of hash tables from type 'a to type 'b.
val create : ?random:bool -> int -> ('a, 'b) t
Hashtbl.create n creates a new, empty hash table, with initial size n. For best results, n should be on the order of the expected number of elements that will be in the table. The table grows as needed, so n is just an initial guess.

The optional random parameter (a boolean) controls whether the internal organization of the hash table is randomized at each execution of Hashtbl.create or deterministic over all executions.

A hash table that is created with ~random:false uses a fixed hash function (Hashtbl.hash) to distribute keys among buckets. As a consequence, collisions between keys happen deterministically. In Web-facing applications or other security-sensitive applications, the deterministic collision patterns can be exploited by a malicious user to create a denial-of-service attack: the attacker sends input crafted to create many collisions in the table, slowing the application down.

A hash table that is created with ~random:true uses the seeded hash function Hashtbl.seeded_hash with a seed that is randomly chosen at hash table creation time. In effect, the hash function used is randomly selected among 2^{30} different hash functions. All these hash functions have different collision patterns, rendering ineffective the denial-of-service attack described above. However, because of randomization, enumerating all elements of the hash table using Hashtbl.fold or Hashtbl.iter is no longer deterministic: elements are enumerated in different orders at different runs of the program.

If no ~random parameter is given, hash tables are created in non-random mode by default. This default can be changed either programmatically by calling Hashtbl.randomize or by setting the R flag in the OCAMLRUNPARAM environment variable.
Before 4.00.0 the random parameter was not present and all hash tables were created in non-randomized mode.

val clear : ('a, 'b) t -> unit
Empty a hash table. Use reset instead of clear to shrink the size of the bucket table to its initial size.
val reset : ('a, 'b) t -> unit
Empty a hash table and shrink the size of the bucket table to its initial size.
Since 4.00.0
val copy : ('a, 'b) t -> ('a, 'b) t
Return a copy of the given hashtable.
val add : ('a, 'b) t -> 'a -> 'b -> unit
Hashtbl.add tbl x y adds a binding of x to y in table tbl. Previous bindings for x are not removed, but simply hidden. That is, after performing Hashtbl.remove tbl x, the previous binding for x, if any, is restored. (Same behavior as with association lists.)
val find : ('a, 'b) t -> 'a -> 'b
Hashtbl.find tbl x returns the current binding of x in tbl, or raises Not_found if no such binding exists.
val find_opt : ('a, 'b) t -> 'a -> 'b option
Hashtbl.find_opt tbl x returns the current binding of x in tbl, or None if no such binding exists.
Since 4.05
val find_all : ('a, 'b) t -> 'a -> 'b list
Hashtbl.find_all tbl x returns the list of all data associated with x in tbl. The current binding is returned first, then the previous bindings, in reverse order of introduction in the table.
val mem : ('a, 'b) t -> 'a -> bool
Hashtbl.mem tbl x checks if x is bound in tbl.
val remove : ('a, 'b) t -> 'a -> unit
Hashtbl.remove tbl x removes the current binding of x in tbl, restoring the previous binding if it exists. It does nothing if x is not bound in tbl.
val replace : ('a, 'b) t -> 'a -> 'b -> unit
Hashtbl.replace tbl x y replaces the current binding of x in tbl by a binding of x to y. If x is unbound in tbl, a binding of x to y is added to tbl. This is functionally equivalent to Hashtbl.remove tbl x followed by Hashtbl.add tbl x y.
val iter : ('a -> 'b -> unit) -> ('a, 'b) t -> unit
Hashtbl.iter f tbl applies f to all bindings in table tbl. f receives the key as first argument, and the associated value as second argument. Each binding is presented exactly once to f.

The order in which the bindings are passed to f is unspecified. However, if the table contains several bindings for the same key, they are passed to f in reverse order of introduction, that is, the most recent binding is passed first.

If the hash table was created in non-randomized mode, the order in which the bindings are enumerated is reproducible between successive runs of the program, and even between minor versions of OCaml. For randomized hash tables, the order of enumeration is entirely random.

The behavior is not defined if the hash table is modified by f during the iteration.

val filter_map_inplace : ('a -> 'b -> 'b option) -> ('a, 'b) t -> unit
Hashtbl.filter_map_inplace f tbl applies f to all bindings in table tbl and update each binding depending on the result of f. If f returns None, the binding is discarded. If it returns Some new_val, the binding is update to associate the key to new_val.

Other comments for Hashtbl.iter apply as well.
Since 4.03.0

val fold : ('a -> 'b -> 'c -> 'c) -> ('a, 'b) t -> 'c -> 'c
Hashtbl.fold f tbl init computes (f kN dN ... (f k1 d1 init)...), where k1 ... kN are the keys of all bindings in tbl, and d1 ... dN are the associated values. Each binding is presented exactly once to f.

The order in which the bindings are passed to f is unspecified. However, if the table contains several bindings for the same key, they are passed to f in reverse order of introduction, that is, the most recent binding is passed first.

If the hash table was created in non-randomized mode, the order in which the bindings are enumerated is reproducible between successive runs of the program, and even between minor versions of OCaml. For randomized hash tables, the order of enumeration is entirely random.

The behavior is not defined if the hash table is modified by f during the iteration.

val length : ('a, 'b) t -> int
Hashtbl.length tbl returns the number of bindings in tbl. It takes constant time. Multiple bindings are counted once each, so Hashtbl.length gives the number of times Hashtbl.iter calls its first argument.
val randomize : unit -> unit
After a call to Hashtbl.randomize(), hash tables are created in randomized mode by default: Hashtbl.create returns randomized hash tables, unless the ~random:false optional parameter is given. The same effect can be achieved by setting the R parameter in the OCAMLRUNPARAM environment variable.

It is recommended that applications or Web frameworks that need to protect themselves against the denial-of-service attack described in Hashtbl.create call Hashtbl.randomize() at initialization time.

Note that once Hashtbl.randomize() was called, there is no way to revert to the non-randomized default behavior of Hashtbl.create. This is intentional. Non-randomized hash tables can still be created using Hashtbl.create ~random:false.
Since 4.00.0

val is_randomized : unit -> bool
return if the tables are currently created in randomized mode by default
Since 4.03.0
type statistics = {
   num_bindings : int; (*
Number of bindings present in the table. Same value as returned by Hashtbl.length.
*)
   num_buckets : int; (*
Number of buckets in the table.
*)
   max_bucket_length : int; (*
Maximal number of bindings per bucket.
*)
   bucket_histogram : int array; (*
Histogram of bucket sizes. This array histo has length max_bucket_length + 1. The value of histo.(i) is the number of buckets whose size is i.
*)
}
Since 4.00.0
val stats : ('a, 'b) t -> statistics
Hashtbl.stats tbl returns statistics about the table tbl: number of buckets, size of the biggest bucket, distribution of buckets by size.
Since 4.00.0

Functorial interface


The functorial interface allows the use of specific comparison and hash functions, either for performance/security concerns, or because keys are not hashable/comparable with the polymorphic builtins.

For instance, one might want to specialize a table for integer keys:

      module IntHash =
        struct
          type t = int
          let equal i j = i=j
          let hash i = i land max_int
        end

      module IntHashtbl = Hashtbl.Make(IntHash)

      let h = IntHashtbl.create 17 in
      IntHashtbl.add h 12 "hello"
    

This creates a new module IntHashtbl, with a new type 'a
    IntHashtbl.t
of tables from int to 'a. In this example, h contains string values so its type is string IntHashtbl.t.

Note that the new type 'IntHashtbl.t is not compatible with the type ('a,'b) Hashtbl.t of the generic interface. For example, Hashtbl.length h would not type-check, you must use IntHashtbl.length.

module type HashedType = sig .. end
The input signature of the functor Hashtbl.Make.
module type S = sig .. end
The output signature of the functor Hashtbl.Make.
module Make: 
functor (H : HashedType-> S with type key = H.t
Functor building an implementation of the hashtable structure.
module type SeededHashedType = sig .. end
The input signature of the functor Hashtbl.MakeSeeded.
module type SeededS = sig .. end
The output signature of the functor Hashtbl.MakeSeeded.
module MakeSeeded: 
functor (H : SeededHashedType-> SeededS with type key = H.t
Functor building an implementation of the hashtable structure.

The polymorphic hash functions

val hash : 'a -> int
Hashtbl.hash x associates a nonnegative integer to any value of any type. It is guaranteed that if x = y or Pervasives.compare x y = 0, then hash x = hash y. Moreover, hash always terminates, even on cyclic structures.
val seeded_hash : int -> 'a -> int
A variant of Hashtbl.hash that is further parameterized by an integer seed.
Since 4.00.0
val hash_param : int -> int -> 'a -> int
Hashtbl.hash_param meaningful total x computes a hash value for x, with the same properties as for hash. The two extra integer parameters meaningful and total give more precise control over hashing. Hashing performs a breadth-first, left-to-right traversal of the structure x, stopping after meaningful meaningful nodes were encountered, or total nodes (meaningful or not) were encountered. If total as specified by the user exceeds a certain value, currently 256, then it is capped to that value. Meaningful nodes are: integers; floating-point numbers; strings; characters; booleans; and constant constructors. Larger values of meaningful and total means that more nodes are taken into account to compute the final hash value, and therefore collisions are less likely to happen. However, hashing takes longer. The parameters meaningful and total govern the tradeoff between accuracy and speed. As default choices, Hashtbl.hash and Hashtbl.seeded_hash take meaningful = 10 and total = 100.
val seeded_hash_param : int -> int -> int -> 'a -> int
A variant of Hashtbl.hash_param that is further parameterized by an integer seed. Usage: Hashtbl.seeded_hash_param meaningful total seed x.
Since 4.00.0
ocaml-doc-4.05/ocaml.html/libref/type_Printexc.html0000644000175000017500000003233313131636450021270 0ustar mehdimehdi Printexc sig
  val to_string : exn -> string
  val print : ('-> 'b) -> '-> 'b
  val catch : ('-> 'b) -> '-> 'b
  val print_backtrace : Pervasives.out_channel -> unit
  val get_backtrace : unit -> string
  val record_backtrace : bool -> unit
  val backtrace_status : unit -> bool
  val register_printer : (exn -> string option) -> unit
  type raw_backtrace
  val get_raw_backtrace : unit -> Printexc.raw_backtrace
  val print_raw_backtrace :
    Pervasives.out_channel -> Printexc.raw_backtrace -> unit
  val raw_backtrace_to_string : Printexc.raw_backtrace -> string
  external raise_with_backtrace : exn -> Printexc.raw_backtrace -> 'a
    = "%raise_with_backtrace"
  val get_callstack : int -> Printexc.raw_backtrace
  val set_uncaught_exception_handler :
    (exn -> Printexc.raw_backtrace -> unit) -> unit
  type backtrace_slot
  val backtrace_slots :
    Printexc.raw_backtrace -> Printexc.backtrace_slot array option
  type location = {
    filename : string;
    line_number : int;
    start_char : int;
    end_char : int;
  }
  module Slot :
    sig
      type t = Printexc.backtrace_slot
      val is_raise : Printexc.Slot.t -> bool
      val is_inline : Printexc.Slot.t -> bool
      val location : Printexc.Slot.t -> Printexc.location option
      val format : int -> Printexc.Slot.t -> string option
    end
  type raw_backtrace_slot
  val raw_backtrace_length : Printexc.raw_backtrace -> int
  val get_raw_backtrace_slot :
    Printexc.raw_backtrace -> int -> Printexc.raw_backtrace_slot
  val convert_raw_backtrace_slot :
    Printexc.raw_backtrace_slot -> Printexc.backtrace_slot
  val get_raw_backtrace_next_slot :
    Printexc.raw_backtrace_slot -> Printexc.raw_backtrace_slot option
  val exn_slot_id : exn -> int
  val exn_slot_name : exn -> string
end
ocaml-doc-4.05/ocaml.html/libref/type_Dynlink.html0000644000175000017500000002555513131636443021116 0ustar mehdimehdi Dynlink sig
  val is_native : bool
  val loadfile : string -> unit
  val loadfile_private : string -> unit
  val adapt_filename : string -> string
  val allow_only : string list -> unit
  val prohibit : string list -> unit
  val default_available_units : unit -> unit
  val allow_unsafe_modules : bool -> unit
  val add_interfaces : string list -> string list -> unit
  val add_available_units : (string * Digest.t) list -> unit
  val clear_available_units : unit -> unit
  val init : unit -> unit
  type linking_error =
      Undefined_global of string
    | Unavailable_primitive of string
    | Uninitialized_global of string
  type error =
      Not_a_bytecode_file of string
    | Inconsistent_import of string
    | Unavailable_unit of string
    | Unsafe_file
    | Linking_error of string * Dynlink.linking_error
    | Corrupted_interface of string
    | File_not_found of string
    | Cannot_open_dll of string
    | Inconsistent_implementation of string
  exception Error of Dynlink.error
  val error_message : Dynlink.error -> string
  val digest_interface : string -> string list -> Digest.t
end
ocaml-doc-4.05/ocaml.html/libref/type_Set.html0000644000175000017500000007232313131636450020232 0ustar mehdimehdi Set sig
  module type OrderedType =
    sig
      type t
      val compare : Set.OrderedType.t -> Set.OrderedType.t -> int
    end
  module type S =
    sig
      type elt
      type t
      val empty : Set.S.t
      val is_empty : Set.S.t -> bool
      val mem : Set.S.elt -> Set.S.t -> bool
      val add : Set.S.elt -> Set.S.t -> Set.S.t
      val singleton : Set.S.elt -> Set.S.t
      val remove : Set.S.elt -> Set.S.t -> Set.S.t
      val union : Set.S.t -> Set.S.t -> Set.S.t
      val inter : Set.S.t -> Set.S.t -> Set.S.t
      val diff : Set.S.t -> Set.S.t -> Set.S.t
      val compare : Set.S.t -> Set.S.t -> int
      val equal : Set.S.t -> Set.S.t -> bool
      val subset : Set.S.t -> Set.S.t -> bool
      val iter : (Set.S.elt -> unit) -> Set.S.t -> unit
      val map : (Set.S.elt -> Set.S.elt) -> Set.S.t -> Set.S.t
      val fold : (Set.S.elt -> '-> 'a) -> Set.S.t -> '-> 'a
      val for_all : (Set.S.elt -> bool) -> Set.S.t -> bool
      val exists : (Set.S.elt -> bool) -> Set.S.t -> bool
      val filter : (Set.S.elt -> bool) -> Set.S.t -> Set.S.t
      val partition : (Set.S.elt -> bool) -> Set.S.t -> Set.S.t * Set.S.t
      val cardinal : Set.S.t -> int
      val elements : Set.S.t -> Set.S.elt list
      val min_elt : Set.S.t -> Set.S.elt
      val min_elt_opt : Set.S.t -> Set.S.elt option
      val max_elt : Set.S.t -> Set.S.elt
      val max_elt_opt : Set.S.t -> Set.S.elt option
      val choose : Set.S.t -> Set.S.elt
      val choose_opt : Set.S.t -> Set.S.elt option
      val split : Set.S.elt -> Set.S.t -> Set.S.t * bool * Set.S.t
      val find : Set.S.elt -> Set.S.t -> Set.S.elt
      val find_opt : Set.S.elt -> Set.S.t -> Set.S.elt option
      val find_first : (Set.S.elt -> bool) -> Set.S.t -> Set.S.elt
      val find_first_opt : (Set.S.elt -> bool) -> Set.S.t -> Set.S.elt option
      val find_last : (Set.S.elt -> bool) -> Set.S.t -> Set.S.elt
      val find_last_opt : (Set.S.elt -> bool) -> Set.S.t -> Set.S.elt option
      val of_list : Set.S.elt list -> Set.S.t
    end
  module Make :
    functor (Ord : OrderedType->
      sig
        type elt = Ord.t
        type t
        val empty : t
        val is_empty : t -> bool
        val mem : elt -> t -> bool
        val add : elt -> t -> t
        val singleton : elt -> t
        val remove : elt -> t -> t
        val union : t -> t -> t
        val inter : t -> t -> t
        val diff : t -> t -> t
        val compare : t -> t -> int
        val equal : t -> t -> bool
        val subset : t -> t -> bool
        val iter : (elt -> unit) -> t -> unit
        val map : (elt -> elt) -> t -> t
        val fold : (elt -> '-> 'a) -> t -> '-> 'a
        val for_all : (elt -> bool) -> t -> bool
        val exists : (elt -> bool) -> t -> bool
        val filter : (elt -> bool) -> t -> t
        val partition : (elt -> bool) -> t -> t * t
        val cardinal : t -> int
        val elements : t -> elt list
        val min_elt : t -> elt
        val min_elt_opt : t -> elt option
        val max_elt : t -> elt
        val max_elt_opt : t -> elt option
        val choose : t -> elt
        val choose_opt : t -> elt option
        val split : elt -> t -> t * bool * t
        val find : elt -> t -> elt
        val find_opt : elt -> t -> elt option
        val find_first : (elt -> bool) -> t -> elt
        val find_first_opt : (elt -> bool) -> t -> elt option
        val find_last : (elt -> bool) -> t -> elt
        val find_last_opt : (elt -> bool) -> t -> elt option
        val of_list : elt list -> t
      end
end
ocaml-doc-4.05/ocaml.html/libref/Arg.html0000644000175000017500000010215313131636440017141 0ustar mehdimehdi Arg

Module Arg

module Arg: sig .. end
Parsing of command line arguments.

This module provides a general mechanism for extracting options and arguments from the command line to the program.

Syntax of command lines: A keyword is a character string starting with a -. An option is a keyword alone or followed by an argument. The types of keywords are: Unit, Bool, Set, Clear, String, Set_string, Int, Set_int, Float, Set_float, Tuple, Symbol, and Rest. Unit, Set and Clear keywords take no argument. A Rest keyword takes the remaining of the command line as arguments. Every other keyword takes the following word on the command line as argument. For compatibility with GNU getopt_long, keyword=arg is also allowed. Arguments not preceded by a keyword are called anonymous arguments.

Examples (cmd is assumed to be the command name):



type spec = 
| Unit of (unit -> unit) (*
Call the function with unit argument
*)
| Bool of (bool -> unit) (*
Call the function with a bool argument
*)
| Set of bool ref (*
Set the reference to true
*)
| Clear of bool ref (*
Set the reference to false
*)
| String of (string -> unit) (*
Call the function with a string argument
*)
| Set_string of string ref (*
Set the reference to the string argument
*)
| Int of (int -> unit) (*
Call the function with an int argument
*)
| Set_int of int ref (*
Set the reference to the int argument
*)
| Float of (float -> unit) (*
Call the function with a float argument
*)
| Set_float of float ref (*
Set the reference to the float argument
*)
| Tuple of spec list (*
Take several arguments according to the spec list
*)
| Symbol of string list * (string -> unit) (*
Take one of the symbols as argument and call the function with the symbol
*)
| Rest of (string -> unit) (*
Stop interpreting keywords and call the function with each remaining argument
*)
| Expand of (string -> string array) (*
If the remaining arguments to process are of the form ["-foo""arg"] @ rest where "foo" is registered as Expand f, then the arguments "arg" @ rest are processed. Only allowed in parse_and_expand_argv_dynamic.
*)
The concrete type describing the behavior associated with a keyword.
type key = string 
type doc = string 
type usage_msg = string 
type anon_fun = string -> unit 
val parse : (key * spec * doc) list -> anon_fun -> usage_msg -> unit
Arg.parse speclist anon_fun usage_msg parses the command line. speclist is a list of triples (key, spec, doc). key is the option keyword, it must start with a '-' character. spec gives the option type and the function to call when this option is found on the command line. doc is a one-line description of this option. anon_fun is called on anonymous arguments. The functions in spec and anon_fun are called in the same order as their arguments appear on the command line.

If an error occurs, Arg.parse exits the program, after printing to standard error an error message as follows:

For the user to be able to specify anonymous arguments starting with a -, include for example ("-"String anon_fun, doc) in speclist.

By default, parse recognizes two unit options, -help and --help, which will print to standard output usage_msg and the list of options, and exit the program. You can override this behaviour by specifying your own -help and --help options in speclist.

val parse_dynamic : (key * spec * doc) list ref ->
anon_fun -> usage_msg -> unit
Same as Arg.parse, except that the speclist argument is a reference and may be updated during the parsing. A typical use for this feature is to parse command lines of the form:
Since 4.01.0
val parse_argv : ?current:int ref ->
string array ->
(key * spec * doc) list -> anon_fun -> usage_msg -> unit
Arg.parse_argv ~current args speclist anon_fun usage_msg parses the array args as if it were the command line. It uses and updates the value of ~current (if given), or Arg.current. You must set it before calling parse_argv. The initial value of current is the index of the program name (argument 0) in the array. If an error occurs, Arg.parse_argv raises Arg.Bad with the error message as argument. If option -help or --help is given, Arg.parse_argv raises Arg.Help with the help message as argument.
val parse_argv_dynamic : ?current:int ref ->
string array ->
(key * spec * doc) list ref ->
anon_fun -> string -> unit
Same as Arg.parse_argv, except that the speclist argument is a reference and may be updated during the parsing. See Arg.parse_dynamic.
Since 4.01.0
val parse_and_expand_argv_dynamic : int ref ->
string array ref ->
(key * spec * doc) list ref ->
anon_fun -> string -> unit
Same as Arg.parse_argv_dynamic, except that the argv argument is a reference and may be updated during the parsing of Expand arguments. See Arg.parse_argv_dynamic.
Since 4.05.0
val parse_expand : (key * spec * doc) list -> anon_fun -> usage_msg -> unit
Same as Arg.parse, except that the Expand arguments are allowed and the Arg.current reference is not updated.
Since 4.05.0
exception Help of string
Raised by Arg.parse_argv when the user asks for help.
exception Bad of string
Functions in spec or anon_fun can raise Arg.Bad with an error message to reject invalid arguments. Arg.Bad is also raised by Arg.parse_argv in case of an error.
val usage : (key * spec * doc) list -> usage_msg -> unit
Arg.usage speclist usage_msg prints to standard error an error message that includes the list of valid options. This is the same message that Arg.parse prints in case of error. speclist and usage_msg are the same as for Arg.parse.
val usage_string : (key * spec * doc) list -> usage_msg -> string
Returns the message that would have been printed by Arg.usage, if provided with the same parameters.
val align : ?limit:int ->
(key * spec * doc) list -> (key * spec * doc) list
Align the documentation strings by inserting spaces at the first space, according to the length of the keyword. Use a space as the first character in a doc string if you want to align the whole string. The doc strings corresponding to Symbol arguments are aligned on the next line.
limit : options with keyword and message longer than limit will not be used to compute the alignement.
val current : int ref
Position (in Sys.argv) of the argument being processed. You can change this value, e.g. to force Arg.parse to skip some arguments. Arg.parse uses the initial value of Arg.current as the index of argument 0 (the program name) and starts parsing arguments at the next element.
val read_arg : string -> string array
Arg.read_arg file reads newline-terminated command line arguments from file file.
Since 4.05.0
val read_arg0 : string -> string array
Identical to Arg.read_arg but assumes null character terminated command line arguments.
Since 4.05.0
val write_arg : string -> string array -> unit
Arg.write_arg file args writes the arguments args newline-terminated into the file file. If the any of the arguments in args contains a newline, use Arg.write_arg0 instead.
Since 4.05.0
val write_arg0 : string -> string array -> unit
Identical to Arg.write_arg but uses the null character for terminator instead of newline.
Since 4.05.0
ocaml-doc-4.05/ocaml.html/libref/type_Hashtbl.HashedType.html0000644000175000017500000001603513131636444023122 0ustar mehdimehdi Hashtbl.HashedType sig
  type t
  val equal : Hashtbl.HashedType.t -> Hashtbl.HashedType.t -> bool
  val hash : Hashtbl.HashedType.t -> int
end
ocaml-doc-4.05/ocaml.html/libref/Ast_helper.Type.html0000644000175000017500000002275613131636441021451 0ustar mehdimehdi Ast_helper.Type

Module Ast_helper.Type

module Type: sig .. end
Type declarations

val mk : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
?docs:Docstrings.docs ->
?text:Docstrings.text ->
?params:(Parsetree.core_type * Asttypes.variance) list ->
?cstrs:(Parsetree.core_type * Parsetree.core_type * Ast_helper.loc) list ->
?kind:Parsetree.type_kind ->
?priv:Asttypes.private_flag ->
?manifest:Parsetree.core_type -> Ast_helper.str -> Parsetree.type_declaration
val constructor : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
?info:Docstrings.info ->
?args:Parsetree.constructor_arguments ->
?res:Parsetree.core_type ->
Ast_helper.str -> Parsetree.constructor_declaration
val field : ?loc:Ast_helper.loc ->
?attrs:Ast_helper.attrs ->
?info:Docstrings.info ->
?mut:Asttypes.mutable_flag ->
Ast_helper.str -> Parsetree.core_type -> Parsetree.label_declaration
ocaml-doc-4.05/ocaml.html/libref/type_Uchar.html0000644000175000017500000002204613131636451020537 0ustar mehdimehdi Uchar sig
  type t
  val min : Uchar.t
  val max : Uchar.t
  val succ : Uchar.t -> Uchar.t
  val pred : Uchar.t -> Uchar.t
  val is_valid : int -> bool
  val of_int : int -> Uchar.t
  val unsafe_of_int : int -> Uchar.t
  val to_int : Uchar.t -> int
  val is_char : Uchar.t -> bool
  val of_char : char -> Uchar.t
  val to_char : Uchar.t -> char
  val unsafe_to_char : Uchar.t -> char
  val equal : Uchar.t -> Uchar.t -> bool
  val compare : Uchar.t -> Uchar.t -> int
  val hash : Uchar.t -> int
end
ocaml-doc-4.05/ocaml.html/libref/StdLabels.Bytes.html0000644000175000017500000007507213131636450021404 0ustar mehdimehdi StdLabels.Bytes

Module StdLabels.Bytes

module Bytes: BytesLabels

val length : bytes -> int
Return the length (number of bytes) of the argument.
val get : bytes -> int -> char
get s n returns the byte at index n in argument s.

Raise Invalid_argument if n is not a valid index in s.

val set : bytes -> int -> char -> unit
set s n c modifies s in place, replacing the byte at index n with c.

Raise Invalid_argument if n is not a valid index in s.

val create : int -> bytes
create n returns a new byte sequence of length n. The sequence is uninitialized and contains arbitrary bytes.

Raise Invalid_argument if n < 0 or n > Sys.max_string_length.

val make : int -> char -> bytes
make n c returns a new byte sequence of length n, filled with the byte c.

Raise Invalid_argument if n < 0 or n > Sys.max_string_length.

val init : int -> f:(int -> char) -> bytes
init n f returns a fresh byte sequence of length n, with character i initialized to the result of f i.

Raise Invalid_argument if n < 0 or n > Sys.max_string_length.

val empty : bytes
A byte sequence of size 0.
val copy : bytes -> bytes
Return a new byte sequence that contains the same bytes as the argument.
val of_string : string -> bytes
Return a new byte sequence that contains the same bytes as the given string.
val to_string : bytes -> string
Return a new string that contains the same bytes as the given byte sequence.
val sub : bytes -> pos:int -> len:int -> bytes
sub s start len returns a new byte sequence of length len, containing the subsequence of s that starts at position start and has length len.

Raise Invalid_argument if start and len do not designate a valid range of s.

val sub_string : bytes -> int -> int -> string
Same as sub but return a string instead of a byte sequence.
val extend : bytes -> left:int -> right:int -> bytes
extend s left right returns a new byte sequence that contains the bytes of s, with left uninitialized bytes prepended and right uninitialized bytes appended to it. If left or right is negative, then bytes are removed (instead of appended) from the corresponding side of s.

Raise Invalid_argument if the result length is negative or longer than Sys.max_string_length bytes.
Since 4.05.0

val fill : bytes -> pos:int -> len:int -> char -> unit
fill s start len c modifies s in place, replacing len characters with c, starting at start.

Raise Invalid_argument if start and len do not designate a valid range of s.

val blit : src:bytes -> src_pos:int -> dst:bytes -> dst_pos:int -> len:int -> unit
blit src srcoff dst dstoff len copies len bytes from sequence src, starting at index srcoff, to sequence dst, starting at index dstoff. It works correctly even if src and dst are the same byte sequence, and the source and destination intervals overlap.

Raise Invalid_argument if srcoff and len do not designate a valid range of src, or if dstoff and len do not designate a valid range of dst.

val blit_string : src:string -> src_pos:int -> dst:bytes -> dst_pos:int -> len:int -> unit
blit src srcoff dst dstoff len copies len bytes from string src, starting at index srcoff, to byte sequence dst, starting at index dstoff.

Raise Invalid_argument if srcoff and len do not designate a valid range of src, or if dstoff and len do not designate a valid range of dst.
Since 4.05.0

val concat : sep:bytes -> bytes list -> bytes
concat sep sl concatenates the list of byte sequences sl, inserting the separator byte sequence sep between each, and returns the result as a new byte sequence.
val cat : bytes -> bytes -> bytes
cat s1 s2 concatenates s1 and s2 and returns the result as new byte sequence.

Raise Invalid_argument if the result is longer than Sys.max_string_length bytes.
Since 4.05.0

val iter : f:(char -> unit) -> bytes -> unit
iter f s applies function f in turn to all the bytes of s. It is equivalent to f (get s 0); f (get s 1); ...; f (get s
    (length s - 1)); ()
.
val iteri : f:(int -> char -> unit) -> bytes -> unit
Same as Bytes.iter, but the function is applied to the index of the byte as first argument and the byte itself as second argument.
val map : f:(char -> char) -> bytes -> bytes
map f s applies function f in turn to all the bytes of s and stores the resulting bytes in a new sequence that is returned as the result.
val mapi : f:(int -> char -> char) -> bytes -> bytes
mapi f s calls f with each character of s and its index (in increasing index order) and stores the resulting bytes in a new sequence that is returned as the result.
val trim : bytes -> bytes
Return a copy of the argument, without leading and trailing whitespace. The bytes regarded as whitespace are the ASCII characters ' ', '\012', '\n', '\r', and '\t'.
val escaped : bytes -> bytes
Return a copy of the argument, with special characters represented by escape sequences, following the lexical conventions of OCaml.
val index : bytes -> char -> int
index s c returns the index of the first occurrence of byte c in s.

Raise Not_found if c does not occur in s.

val index_opt : bytes -> char -> int option
index_opt s c returns the index of the first occurrence of byte c in s or None if c does not occur in s.
Since 4.05
val rindex : bytes -> char -> int
rindex s c returns the index of the last occurrence of byte c in s.

Raise Not_found if c does not occur in s.

val rindex_opt : bytes -> char -> int option
rindex_opt s c returns the index of the last occurrence of byte c in s or None if c does not occur in s.
Since 4.05
val index_from : bytes -> int -> char -> int
index_from s i c returns the index of the first occurrence of byte c in s after position i. Bytes.index s c is equivalent to Bytes.index_from s 0 c.

Raise Invalid_argument if i is not a valid position in s. Raise Not_found if c does not occur in s after position i.

val index_from_opt : bytes -> int -> char -> int option
index_from _opts i c returns the index of the first occurrence of byte c in s after position i or None if c does not occur in s after position i. Bytes.index_opt s c is equivalent to Bytes.index_from_opt s 0 c.

Raise Invalid_argument if i is not a valid position in s.
Since 4.05

val rindex_from : bytes -> int -> char -> int
rindex_from s i c returns the index of the last occurrence of byte c in s before position i+1. rindex s c is equivalent to rindex_from s (Bytes.length s - 1) c.

Raise Invalid_argument if i+1 is not a valid position in s. Raise Not_found if c does not occur in s before position i+1.

val rindex_from_opt : bytes -> int -> char -> int option
rindex_from_opt s i c returns the index of the last occurrence of byte c in s before position i+1 or None if c does not occur in s before position i+1. rindex_opt s c is equivalent to rindex_from s (Bytes.length s - 1) c.

Raise Invalid_argument if i+1 is not a valid position in s.
Since 4.05

val contains : bytes -> char -> bool
contains s c tests if byte c appears in s.
val contains_from : bytes -> int -> char -> bool
contains_from s start c tests if byte c appears in s after position start. contains s c is equivalent to contains_from
    s 0 c
.

Raise Invalid_argument if start is not a valid position in s.

val rcontains_from : bytes -> int -> char -> bool
rcontains_from s stop c tests if byte c appears in s before position stop+1.

Raise Invalid_argument if stop < 0 or stop+1 is not a valid position in s.

val uppercase : bytes -> bytes
Deprecated.Functions operating on Latin-1 character set are deprecated.
Return a copy of the argument, with all lowercase letters translated to uppercase, including accented letters of the ISO Latin-1 (8859-1) character set.
val lowercase : bytes -> bytes
Deprecated.Functions operating on Latin-1 character set are deprecated.
Return a copy of the argument, with all uppercase letters translated to lowercase, including accented letters of the ISO Latin-1 (8859-1) character set.
val capitalize : bytes -> bytes
Deprecated.Functions operating on Latin-1 character set are deprecated.
Return a copy of the argument, with the first character set to uppercase, using the ISO Latin-1 (8859-1) character set..
val uncapitalize : bytes -> bytes
Deprecated.Functions operating on Latin-1 character set are deprecated.
Return a copy of the argument, with the first character set to lowercase, using the ISO Latin-1 (8859-1) character set..
val uppercase_ascii : bytes -> bytes
Return a copy of the argument, with all lowercase letters translated to uppercase, using the US-ASCII character set.
Since 4.05.0
val lowercase_ascii : bytes -> bytes
Return a copy of the argument, with all uppercase letters translated to lowercase, using the US-ASCII character set.
Since 4.05.0
val capitalize_ascii : bytes -> bytes
Return a copy of the argument, with the first character set to uppercase, using the US-ASCII character set.
Since 4.05.0
val uncapitalize_ascii : bytes -> bytes
Return a copy of the argument, with the first character set to lowercase, using the US-ASCII character set.
Since 4.05.0
type t = bytes 
An alias for the type of byte sequences.
val compare : t -> t -> int
The comparison function for byte sequences, with the same specification as compare. Along with the type t, this function compare allows the module Bytes to be passed as argument to the functors Set.Make and Map.Make.
val equal : t -> t -> bool
The equality function for byte sequences.
Since 4.05.0
ocaml-doc-4.05/ocaml.html/libref/Parsing.html0000644000175000017500000002745613131636450020050 0ustar mehdimehdi Parsing

Module Parsing

module Parsing: sig .. end
The run-time library for parsers generated by ocamlyacc.

val symbol_start : unit -> int
symbol_start and Parsing.symbol_end are to be called in the action part of a grammar rule only. They return the offset of the string that matches the left-hand side of the rule: symbol_start() returns the offset of the first character; symbol_end() returns the offset after the last character. The first character in a file is at offset 0.
val symbol_end : unit -> int
See Parsing.symbol_start.
val rhs_start : int -> int
Same as Parsing.symbol_start and Parsing.symbol_end, but return the offset of the string matching the nth item on the right-hand side of the rule, where n is the integer parameter to rhs_start and rhs_end. n is 1 for the leftmost item.
val rhs_end : int -> int
See Parsing.rhs_start.
val symbol_start_pos : unit -> Lexing.position
Same as symbol_start, but return a position instead of an offset.
val symbol_end_pos : unit -> Lexing.position
Same as symbol_end, but return a position instead of an offset.
val rhs_start_pos : int -> Lexing.position
Same as rhs_start, but return a position instead of an offset.
val rhs_end_pos : int -> Lexing.position
Same as rhs_end, but return a position instead of an offset.
val clear_parser : unit -> unit
Empty the parser stack. Call it just after a parsing function has returned, to remove all pointers from the parser stack to structures that were built by semantic actions during parsing. This is optional, but lowers the memory requirements of the programs.
exception Parse_error
Raised when a parser encounters a syntax error. Can also be raised from the action part of a grammar rule, to initiate error recovery.
val set_trace : bool -> bool
Control debugging support for ocamlyacc-generated parsers. After Parsing.set_trace true, the pushdown automaton that executes the parsers prints a trace of its actions (reading a token, shifting a state, reducing by a rule) on standard output. Parsing.set_trace false turns this debugging trace off. The boolean returned is the previous state of the trace flag.
Since 3.11.0
ocaml-doc-4.05/ocaml.html/libref/Dynlink.html0000644000175000017500000004536113131636443020052 0ustar mehdimehdi Dynlink

Module Dynlink

module Dynlink: sig .. end
Dynamic loading of object files.

val is_native : bool
true if the program is native, false if the program is bytecode.

Dynamic loading of compiled files

val loadfile : string -> unit
In bytecode: load the given bytecode object file (.cmo file) or bytecode library file (.cma file), and link it with the running program. In native code: load the given OCaml plugin file (usually .cmxs), and link it with the running program. All toplevel expressions in the loaded compilation units are evaluated. No facilities are provided to access value names defined by the unit. Therefore, the unit must register itself its entry points with the main program, e.g. by modifying tables of functions.
val loadfile_private : string -> unit
Same as loadfile, except that the compilation units just loaded are hidden (cannot be referenced) from other modules dynamically loaded afterwards.
val adapt_filename : string -> string
In bytecode, the identity function. In native code, replace the last extension with .cmxs.

Access control

val allow_only : string list -> unit
allow_only units restricts the compilation units that dynamically-linked units can reference: it forbids all references to units other than those named in the list units. References to any other compilation unit will cause a Unavailable_unit error during loadfile or loadfile_private.

Initially (or after calling default_available_units) all compilation units composing the program currently running are available for reference from dynamically-linked units. allow_only can be used to restrict access to a subset of these units, e.g. to the units that compose the API for dynamically-linked code, and prevent access to all other units, e.g. private, internal modules of the running program. If allow_only is called several times, access will be restricted to the intersection of the given lists (i.e. a call to allow_only can never increase the set of available units).

val prohibit : string list -> unit
prohibit units prohibits dynamically-linked units from referencing the units named in list units. This can be used to prevent access to selected units, e.g. private, internal modules of the running program.
val default_available_units : unit -> unit
Reset the set of units that can be referenced from dynamically-linked code to its default value, that is, all units composing the currently running program.
val allow_unsafe_modules : bool -> unit
Govern whether unsafe object files are allowed to be dynamically linked. A compilation unit is 'unsafe' if it contains declarations of external functions, which can break type safety. By default, dynamic linking of unsafe object files is not allowed. In native code, this function does nothing; object files with external functions are always allowed to be dynamically linked.

Deprecated, low-level API for access control

val add_interfaces : string list -> string list -> unit
add_interfaces units path grants dynamically-linked object files access to the compilation units named in list units. The interfaces (.cmi files) for these units are searched in path (a list of directory names).
val add_available_units : (string * Digest.t) list -> unit
Same as Dynlink.add_interfaces, but instead of searching .cmi files to find the unit interfaces, uses the interface digests given for each unit. This way, the .cmi interface files need not be available at run-time. The digests can be extracted from .cmi files using the extract_crc program installed in the OCaml standard library directory.
val clear_available_units : unit -> unit
Empty the list of compilation units accessible to dynamically-linked programs.

Deprecated, initialization

val init : unit -> unit
Deprecated.Initialize the Dynlink library. This function is called automatically when needed.

Error reporting

type linking_error = 
| Undefined_global of string
| Unavailable_primitive of string
| Uninitialized_global of string
type error = 
| Not_a_bytecode_file of string
| Inconsistent_import of string
| Unavailable_unit of string
| Unsafe_file
| Linking_error of string * linking_error
| Corrupted_interface of string
| File_not_found of string
| Cannot_open_dll of string
| Inconsistent_implementation of string
exception Error of error
Errors in dynamic linking are reported by raising the Error exception with a description of the error.
val error_message : error -> string
Convert an error description to a printable message.
ocaml-doc-4.05/ocaml.html/libref/Misc.HookSig.html0000644000175000017500000001665513131636446020706 0ustar mehdimehdi Misc.HookSig

Module type Misc.HookSig

module type HookSig = sig .. end

type t 
val add_hook : string -> (Misc.hook_info -> t -> t) -> unit
val apply_hooks : Misc.hook_info -> t -> t
ocaml-doc-4.05/ocaml.html/libref/Asttypes.html0000644000175000017500000004032713131636441020251 0ustar mehdimehdi Asttypes

Module Asttypes

module Asttypes: sig .. end
Auxiliary AST types used by parsetree and typedtree.

type constant = 
| Const_int of int
| Const_char of char
| Const_string of string * string option
| Const_float of string
| Const_int32 of int32
| Const_int64 of int64
| Const_nativeint of nativeint
type rec_flag = 
| Nonrecursive
| Recursive
type direction_flag = 
| Upto
| Downto
type private_flag = 
| Private
| Public
type mutable_flag = 
| Immutable
| Mutable
type virtual_flag = 
| Virtual
| Concrete
type override_flag = 
| Override
| Fresh
type closed_flag = 
| Closed
| Open
type label = string 
type arg_label = 
| Nolabel
| Labelled of string
| Optional of string
type 'a loc = 'a Location.loc = {
   txt : 'a;
   loc : Location.t;
}
type variance = 
| Covariant
| Contravariant
| Invariant
ocaml-doc-4.05/ocaml.html/libref/Map.html0000644000175000017500000002500513131636445017152 0ustar mehdimehdi Map

Module Map

module Map: sig .. end
Association tables over ordered types.

This module implements applicative association tables, also known as finite maps or dictionaries, given a total ordering function over the keys. All operations over maps are purely applicative (no side-effects). The implementation uses balanced binary trees, and therefore searching and insertion take time logarithmic in the size of the map.

For instance:

     module IntPairs =
       struct
         type t = int * int
         let compare (x0,y0) (x1,y1) =
           match Pervasives.compare x0 x1 with
               0 -> Pervasives.compare y0 y1
             | c -> c
       end

     module PairsMap = Map.Make(IntPairs)

     let m = PairsMap.(empty |> add (0,1) "hello" |> add (1,0) "world")
   

This creates a new module PairsMap, with a new type 'PairsMap.t of maps from int * int to 'a. In this example, m contains string values so its type is string PairsMap.t.


module type OrderedType = sig .. end
Input signature of the functor Map.Make.
module type S = sig .. end
Output signature of the functor Map.Make.
module Make: 
functor (Ord : OrderedType-> S with type key = Ord.t
Functor building an implementation of the map structure given a totally ordered type.
ocaml-doc-4.05/ocaml.html/libref/type_Ast_helper.Str.html0000644000175000017500000003241113131636441022326 0ustar mehdimehdi Ast_helper.Str sig
  val mk :
    ?loc:Ast_helper.loc ->
    Parsetree.structure_item_desc -> Parsetree.structure_item
  val eval :
    ?loc:Ast_helper.loc ->
    ?attrs:Parsetree.attributes ->
    Parsetree.expression -> Parsetree.structure_item
  val value :
    ?loc:Ast_helper.loc ->
    Asttypes.rec_flag ->
    Parsetree.value_binding list -> Parsetree.structure_item
  val primitive :
    ?loc:Ast_helper.loc ->
    Parsetree.value_description -> Parsetree.structure_item
  val type_ :
    ?loc:Ast_helper.loc ->
    Asttypes.rec_flag ->
    Parsetree.type_declaration list -> Parsetree.structure_item
  val type_extension :
    ?loc:Ast_helper.loc ->
    Parsetree.type_extension -> Parsetree.structure_item
  val exception_ :
    ?loc:Ast_helper.loc ->
    Parsetree.extension_constructor -> Parsetree.structure_item
  val module_ :
    ?loc:Ast_helper.loc ->
    Parsetree.module_binding -> Parsetree.structure_item
  val rec_module :
    ?loc:Ast_helper.loc ->
    Parsetree.module_binding list -> Parsetree.structure_item
  val modtype :
    ?loc:Ast_helper.loc ->
    Parsetree.module_type_declaration -> Parsetree.structure_item
  val open_ :
    ?loc:Ast_helper.loc ->
    Parsetree.open_description -> Parsetree.structure_item
  val class_ :
    ?loc:Ast_helper.loc ->
    Parsetree.class_declaration list -> Parsetree.structure_item
  val class_type :
    ?loc:Ast_helper.loc ->
    Parsetree.class_type_declaration list -> Parsetree.structure_item
  val include_ :
    ?loc:Ast_helper.loc ->
    Parsetree.include_declaration -> Parsetree.structure_item
  val extension :
    ?loc:Ast_helper.loc ->
    ?attrs:Ast_helper.attrs ->
    Parsetree.extension -> Parsetree.structure_item
  val attribute :
    ?loc:Ast_helper.loc -> Parsetree.attribute -> Parsetree.structure_item
  val text : Docstrings.text -> Parsetree.structure_item list
end
ocaml-doc-4.05/ocaml.html/libref/MoreLabels.Set.OrderedType.html0000644000175000017500000002011013131636446023432 0ustar mehdimehdi MoreLabels.Set.OrderedType

Module type MoreLabels.Set.OrderedType

module type OrderedType = Set.OrderedType

type t 
The type of the set elements.
val compare : t -> t -> int
A total ordering function over the set elements. This is a two-argument function f such that f e1 e2 is zero if the elements e1 and e2 are equal, f e1 e2 is strictly negative if e1 is smaller than e2, and f e1 e2 is strictly positive if e1 is greater than e2. Example: a suitable ordering function is the generic structural comparison function compare.
ocaml-doc-4.05/ocaml.html/libref/MoreLabels.Hashtbl.S.html0000644000175000017500000002551513131636446022256 0ustar mehdimehdi MoreLabels.Hashtbl.S

Module type MoreLabels.Hashtbl.S

module type S = sig .. end

type key 
type 'a t 
val create : int -> 'a t
val clear : 'a t -> unit
val reset : 'a t -> unit
val copy : 'a t -> 'a t
val add : 'a t -> key:key -> data:'a -> unit
val remove : 'a t -> key -> unit
val find : 'a t -> key -> 'a
val find_opt : 'a t -> key -> 'a option
val find_all : 'a t -> key -> 'a list
val replace : 'a t -> key:key -> data:'a -> unit
val mem : 'a t -> key -> bool
val iter : f:(key:key -> data:'a -> unit) ->
'a t -> unit
val filter_map_inplace : f:(key:key -> data:'a -> 'a option) ->
'a t -> unit
val fold : f:(key:key -> data:'a -> 'b -> 'b) ->
'a t -> init:'b -> 'b
val length : 'a t -> int
val stats : 'a t -> MoreLabels.Hashtbl.statistics
ocaml-doc-4.05/ocaml.html/libref/Arg_helper.Make.html0000644000175000017500000002651213131636440021360 0ustar mehdimehdi Arg_helper.Make

Functor Arg_helper.Make

module Make: 
functor (S : sig
module Key: sig .. end
module Value: sig .. end
end-> sig .. end
Parameters:
S : sig module Key : sig type t (** The textual representation of a key must not contain '=' or ','. *) val of_string : string -> t module Map : Map.S with type key = t end module Value : sig type t (** The textual representation of a value must not contain ','. *) val of_string : string -> t end end

type parsed 
val default : S.Value.t -> parsed
val set_base_default : S.Value.t -> parsed -> parsed
val add_base_override : S.Key.t -> S.Value.t -> parsed -> parsed
val reset_base_overrides : parsed -> parsed
val set_user_default : S.Value.t -> parsed -> parsed
val add_user_override : S.Key.t -> S.Value.t -> parsed -> parsed
val parse : string -> string -> parsed ref -> unit
type parse_result = 
| Ok
| Parse_failed of exn
val parse_no_error : string ->
parsed ref -> parse_result
val get : key:S.Key.t -> parsed -> S.Value.t
ocaml-doc-4.05/ocaml.html/coreexamples.html0000644000175000017500000007742013131636457017674 0ustar mehdimehdi Chapter 1  The core language Previous Up Next

Chapter 1  The core language

This part of the manual is a tutorial introduction to the OCaml language. A good familiarity with programming in a conventional languages (say, Pascal or C) is assumed, but no prior exposure to functional languages is required. The present chapter introduces the core language. Chapter 2 deals with the module system, chapter 3 with the object-oriented features, chapter 4 with extensions to the core language (labeled arguments and polymorphic variants), and chapter 5 gives some advanced examples.

1.1  Basics

For this overview of OCaml, we use the interactive system, which is started by running ocaml from the Unix shell, or by launching the OCamlwin.exe application under Windows. This tutorial is presented as the transcript of a session with the interactive system: lines starting with # represent user input; the system responses are printed below, without a leading #.

Under the interactive system, the user types OCaml phrases terminated by ;; in response to the # prompt, and the system compiles them on the fly, executes them, and prints the outcome of evaluation. Phrases are either simple expressions, or let definitions of identifiers (either values or functions).

1+2*3;;
- : int = 7
let pi = 4.0 *. atan 1.0;;
val pi : float = 3.14159265358979312
let square x = x *. x;;
val square : float -> float = <fun>
square (sin pi) +. square (cos pi);;
- : float = 1.

The OCaml system computes both the value and the type for each phrase. Even function parameters need no explicit type declaration: the system infers their types from their usage in the function. Notice also that integers and floating-point numbers are distinct types, with distinct operators: + and * operate on integers, but +. and *. operate on floats.

1.0 * 2;;
Error: This expression has type float but an expression was expected of type int

Recursive functions are defined with the let rec binding:

let rec fib n = if n < 2 then n else fib (n-1) + fib (n-2);;
val fib : int -> int = <fun>
fib 10;;
- : int = 55

1.2  Data types

In addition to integers and floating-point numbers, OCaml offers the usual basic data types: booleans, characters, and immutable character strings.

(1 < 2) = false;;
- : bool = false
'a';;
- : char = 'a'
"Hello world";;
- : string = "Hello world"

Predefined data structures include tuples, arrays, and lists. General mechanisms for defining your own data structures are also provided. They will be covered in more details later; for now, we concentrate on lists. Lists are either given in extension as a bracketed list of semicolon-separated elements, or built from the empty list [] (pronounce “nil”) by adding elements in front using the :: (“cons”) operator.

let l = ["is"; "a"; "tale"; "told"; "etc."];;
val l : string list = ["is"; "a"; "tale"; "told"; "etc."]
"Life" :: l;;
- : string list = ["Life"; "is"; "a"; "tale"; "told"; "etc."]

As with all other OCaml data structures, lists do not need to be explicitly allocated and deallocated from memory: all memory management is entirely automatic in OCaml. Similarly, there is no explicit handling of pointers: the OCaml compiler silently introduces pointers where necessary.

As with most OCaml data structures, inspecting and destructuring lists is performed by pattern-matching. List patterns have the exact same shape as list expressions, with identifier representing unspecified parts of the list. As an example, here is insertion sort on a list:

let rec sort lst = match lst with [] -> [] | head :: tail -> insert head (sort tail) and insert elt lst = match lst with [] -> [elt] | head :: tail -> if elt <= head then elt :: lst else head :: insert elt tail ;;
val sort : 'a list -> 'a list = <fun> val insert : 'a -> 'a list -> 'a list = <fun>
sort l;;
- : string list = ["a"; "etc."; "is"; "tale"; "told"]

The type inferred for sort, 'a list -> 'a list, means that sort can actually apply to lists of any type, and returns a list of the same type. The type 'a is a type variable, and stands for any given type. The reason why sort can apply to lists of any type is that the comparisons (=, <=, etc.) are polymorphic in OCaml: they operate between any two values of the same type. This makes sort itself polymorphic over all list types.

sort [6;2;5;3];;
- : int list = [2; 3; 5; 6]
sort [3.14; 2.718];;
- : float list = [2.718; 3.14]

The sort function above does not modify its input list: it builds and returns a new list containing the same elements as the input list, in ascending order. There is actually no way in OCaml to modify in-place a list once it is built: we say that lists are immutable data structures. Most OCaml data structures are immutable, but a few (most notably arrays) are mutable, meaning that they can be modified in-place at any time.

1.3  Functions as values

OCaml is a functional language: functions in the full mathematical sense are supported and can be passed around freely just as any other piece of data. For instance, here is a deriv function that takes any float function as argument and returns an approximation of its derivative function:

let deriv f dx = function x -> (f (x +. dx) -. f x) /. dx;;
val deriv : (float -> float) -> float -> float -> float = <fun>
let sin' = deriv sin 1e-6;;
val sin' : float -> float = <fun>
sin' pi;;
- : float = -1.00000000013961143

Even function composition is definable:

let compose f g = function x -> f (g x);;
val compose : ('a -> 'b) -> ('c -> 'a) -> 'c -> 'b = <fun>
let cos2 = compose square cos;;
val cos2 : float -> float = <fun>

Functions that take other functions as arguments are called “functionals”, or “higher-order functions”. Functionals are especially useful to provide iterators or similar generic operations over a data structure. For instance, the standard OCaml library provides a List.map functional that applies a given function to each element of a list, and returns the list of the results:

List.map (function n -> n * 2 + 1) [0;1;2;3;4];;
- : int list = [1; 3; 5; 7; 9]

This functional, along with a number of other list and array functionals, is predefined because it is often useful, but there is nothing magic with it: it can easily be defined as follows.

let rec map f l = match l with [] -> [] | hd :: tl -> f hd :: map f tl;;
val map : ('a -> 'b) -> 'a list -> 'b list = <fun>

1.4  Records and variants

User-defined data structures include records and variants. Both are defined with the type declaration. Here, we declare a record type to represent rational numbers.

type ratio = {num: int; denom: int};;
type ratio = { num : int; denom : int; }
let add_ratio r1 r2 = {num = r1.num * r2.denom + r2.num * r1.denom; denom = r1.denom * r2.denom};;
val add_ratio : ratio -> ratio -> ratio = <fun>
add_ratio {num=1; denom=3} {num=2; denom=5};;
- : ratio = {num = 11; denom = 15}

The declaration of a variant type lists all possible shapes for values of that type. Each case is identified by a name, called a constructor, which serves both for constructing values of the variant type and inspecting them by pattern-matching. Constructor names are capitalized to distinguish them from variable names (which must start with a lowercase letter). For instance, here is a variant type for doing mixed arithmetic (integers and floats):

type number = Int of int | Float of float | Error;;
type number = Int of int | Float of float | Error

This declaration expresses that a value of type number is either an integer, a floating-point number, or the constant Error representing the result of an invalid operation (e.g. a division by zero).

Enumerated types are a special case of variant types, where all alternatives are constants:

type sign = Positive | Negative;;
type sign = Positive | Negative
let sign_int n = if n >= 0 then Positive else Negative;;
val sign_int : int -> sign = <fun>

To define arithmetic operations for the number type, we use pattern-matching on the two numbers involved:

let add_num n1 n2 = match (n1, n2) with (Int i1, Int i2) -> (* Check for overflow of integer addition *) if sign_int i1 = sign_int i2 && sign_int (i1 + i2) <> sign_int i1 then Float(float i1 +. float i2) else Int(i1 + i2) | (Int i1, Float f2) -> Float(float i1 +. f2) | (Float f1, Int i2) -> Float(f1 +. float i2) | (Float f1, Float f2) -> Float(f1 +. f2) | (Error, _) -> Error | (_, Error) -> Error;;
val add_num : number -> number -> number = <fun>
add_num (Int 123) (Float 3.14159);;
- : number = Float 126.14159

The most common usage of variant types is to describe recursive data structures. Consider for example the type of binary trees:

type 'a btree = Empty | Node of 'a * 'a btree * 'a btree;;
type 'a btree = Empty | Node of 'a * 'a btree * 'a btree

This definition reads as follows: a binary tree containing values of type 'a (an arbitrary type) is either empty, or is a node containing one value of type 'a and two subtrees containing also values of type 'a, that is, two 'a btree.

Operations on binary trees are naturally expressed as recursive functions following the same structure as the type definition itself. For instance, here are functions performing lookup and insertion in ordered binary trees (elements increase from left to right):

let rec member x btree = match btree with Empty -> false | Node(y, left, right) -> if x = y then true else if x < y then member x left else member x right;;
val member : 'a -> 'a btree -> bool = <fun>
let rec insert x btree = match btree with Empty -> Node(x, Empty, Empty) | Node(y, left, right) -> if x <= y then Node(y, insert x left, right) else Node(y, left, insert x right);;
val insert : 'a -> 'a btree -> 'a btree = <fun>

1.5  Imperative features

Though all examples so far were written in purely applicative style, OCaml is also equipped with full imperative features. This includes the usual while and for loops, as well as mutable data structures such as arrays. Arrays are either given in extension between [| and |] brackets, or allocated and initialized with the Array.make function, then filled up later by assignments. For instance, the function below sums two vectors (represented as float arrays) componentwise.

let add_vect v1 v2 = let len = min (Array.length v1) (Array.length v2) in let res = Array.make len 0.0 in for i = 0 to len - 1 do res.(i) <- v1.(i) +. v2.(i) done; res;;
val add_vect : float array -> float array -> float array = <fun>
add_vect [| 1.0; 2.0 |] [| 3.0; 4.0 |];;
- : float array = [|4.; 6.|]

Record fields can also be modified by assignment, provided they are declared mutable in the definition of the record type:

type mutable_point = { mutable x: float; mutable y: float };;
type mutable_point = { mutable x : float; mutable y : float; }
let translate p dx dy = p.x <- p.x +. dx; p.y <- p.y +. dy;;
val translate : mutable_point -> float -> float -> unit = <fun>
let mypoint = { x = 0.0; y = 0.0 };;
val mypoint : mutable_point = {x = 0.; y = 0.}
translate mypoint 1.0 2.0;;
- : unit = ()
mypoint;;
- : mutable_point = {x = 1.; y = 2.}

OCaml has no built-in notion of variable – identifiers whose current value can be changed by assignment. (The let binding is not an assignment, it introduces a new identifier with a new scope.) However, the standard library provides references, which are mutable indirection cells (or one-element arrays), with operators ! to fetch the current contents of the reference and := to assign the contents. Variables can then be emulated by let-binding a reference. For instance, here is an in-place insertion sort over arrays:

let insertion_sort a = for i = 1 to Array.length a - 1 do let val_i = a.(i) in let j = ref i in while !j > 0 && val_i < a.(!j - 1) do a.(!j) <- a.(!j - 1); j := !j - 1 done; a.(!j) <- val_i done;;
val insertion_sort : 'a array -> unit = <fun>

References are also useful to write functions that maintain a current state between two calls to the function. For instance, the following pseudo-random number generator keeps the last returned number in a reference:

let current_rand = ref 0;;
val current_rand : int ref = {contents = 0}
let random () = current_rand := !current_rand * 25713 + 1345; !current_rand;;
val random : unit -> int = <fun>

Again, there is nothing magical with references: they are implemented as a single-field mutable record, as follows.

type 'a ref = { mutable contents: 'a };;
type 'a ref = { mutable contents : 'a; }
let ( ! ) r = r.contents;;
val ( ! ) : 'a ref -> 'a = <fun>
let ( := ) r newval = r.contents <- newval;;
val ( := ) : 'a ref -> 'a -> unit = <fun>

In some special cases, you may need to store a polymorphic function in a data structure, keeping its polymorphism. Without user-provided type annotations, this is not allowed, as polymorphism is only introduced on a global level. However, you can give explicitly polymorphic types to record fields.

type idref = { mutable id: 'a. 'a -> 'a };;
type idref = { mutable id : 'a. 'a -> 'a; }
let r = {id = fun x -> x};;
val r : idref = {id = <fun>}
let g s = (s.id 1, s.id true);;
val g : idref -> int * bool = <fun>
r.id <- (fun x -> print_string "called id\n"; x);;
- : unit = ()
g r;;
called id called id - : int * bool = (1, true)

1.6  Exceptions

OCaml provides exceptions for signalling and handling exceptional conditions. Exceptions can also be used as a general-purpose non-local control structure. Exceptions are declared with the exception construct, and signalled with the raise operator. For instance, the function below for taking the head of a list uses an exception to signal the case where an empty list is given.

exception Empty_list;;
exception Empty_list
let head l = match l with [] -> raise Empty_list | hd :: tl -> hd;;
val head : 'a list -> 'a = <fun>
head [1;2];;
- : int = 1
head [];;
Exception: Empty_list.

Exceptions are used throughout the standard library to signal cases where the library functions cannot complete normally. For instance, the List.assoc function, which returns the data associated with a given key in a list of (key, data) pairs, raises the predefined exception Not_found when the key does not appear in the list:

List.assoc 1 [(0, "zero"); (1, "one")];;
- : string = "one"
List.assoc 2 [(0, "zero"); (1, "one")];;
Exception: Not_found.

Exceptions can be trapped with the trywith construct:

let name_of_binary_digit digit = try List.assoc digit [0, "zero"; 1, "one"] with Not_found -> "not a binary digit";;
val name_of_binary_digit : int -> string = <fun>
name_of_binary_digit 0;;
- : string = "zero"
name_of_binary_digit (-1);;
- : string = "not a binary digit"

The with part is actually a regular pattern-matching on the exception value. Thus, several exceptions can be caught by one trywith construct. Also, finalization can be performed by trapping all exceptions, performing the finalization, then raising again the exception:

let temporarily_set_reference ref newval funct = let oldval = !ref in try ref := newval; let res = funct () in ref := oldval; res with x -> ref := oldval; raise x;;
val temporarily_set_reference : 'a ref -> 'a -> (unit -> 'b) -> 'b = <fun>

1.7  Symbolic processing of expressions

We finish this introduction with a more complete example representative of the use of OCaml for symbolic processing: formal manipulations of arithmetic expressions containing variables. The following variant type describes the expressions we shall manipulate:

type expression = Const of float | Var of string | Sum of expression * expression (* e1 + e2 *) | Diff of expression * expression (* e1 - e2 *) | Prod of expression * expression (* e1 * e2 *) | Quot of expression * expression (* e1 / e2 *) ;;
type expression = Const of float | Var of string | Sum of expression * expression | Diff of expression * expression | Prod of expression * expression | Quot of expression * expression

We first define a function to evaluate an expression given an environment that maps variable names to their values. For simplicity, the environment is represented as an association list.

exception Unbound_variable of string;;
exception Unbound_variable of string
let rec eval env exp = match exp with Const c -> c | Var v -> (try List.assoc v env with Not_found -> raise (Unbound_variable v)) | Sum(f, g) -> eval env f +. eval env g | Diff(f, g) -> eval env f -. eval env g | Prod(f, g) -> eval env f *. eval env g | Quot(f, g) -> eval env f /. eval env g;;
val eval : (string * float) list -> expression -> float = <fun>
eval [("x", 1.0); ("y", 3.14)] (Prod(Sum(Var "x", Const 2.0), Var "y"));;
- : float = 9.42

Now for a real symbolic processing, we define the derivative of an expression with respect to a variable dv:

let rec deriv exp dv = match exp with Const c -> Const 0.0 | Var v -> if v = dv then Const 1.0 else Const 0.0 | Sum(f, g) -> Sum(deriv f dv, deriv g dv) | Diff(f, g) -> Diff(deriv f dv, deriv g dv) | Prod(f, g) -> Sum(Prod(f, deriv g dv), Prod(deriv f dv, g)) | Quot(f, g) -> Quot(Diff(Prod(deriv f dv, g), Prod(f, deriv g dv)), Prod(g, g)) ;;
val deriv : expression -> string -> expression = <fun>
deriv (Quot(Const 1.0, Var "x")) "x";;
- : expression = Quot (Diff (Prod (Const 0., Var "x"), Prod (Const 1., Const 1.)), Prod (Var "x", Var "x"))

1.8  Pretty-printing

As shown in the examples above, the internal representation (also called abstract syntax) of expressions quickly becomes hard to read and write as the expressions get larger. We need a printer and a parser to go back and forth between the abstract syntax and the concrete syntax, which in the case of expressions is the familiar algebraic notation (e.g. 2*x+1).

For the printing function, we take into account the usual precedence rules (i.e. * binds tighter than +) to avoid printing unnecessary parentheses. To this end, we maintain the current operator precedence and print parentheses around an operator only if its precedence is less than the current precedence.

let print_expr exp = (* Local function definitions *) let open_paren prec op_prec = if prec > op_prec then print_string "(" in let close_paren prec op_prec = if prec > op_prec then print_string ")" in let rec print prec exp = (* prec is the current precedence *) match exp with Const c -> print_float c | Var v -> print_string v | Sum(f, g) -> open_paren prec 0; print 0 f; print_string " + "; print 0 g; close_paren prec 0 | Diff(f, g) -> open_paren prec 0; print 0 f; print_string " - "; print 1 g; close_paren prec 0 | Prod(f, g) -> open_paren prec 2; print 2 f; print_string " * "; print 2 g; close_paren prec 2 | Quot(f, g) -> open_paren prec 2; print 2 f; print_string " / "; print 3 g; close_paren prec 2 in print 0 exp;;
val print_expr : expression -> unit = <fun>
let e = Sum(Prod(Const 2.0, Var "x"), Const 1.0);;
val e : expression = Sum (Prod (Const 2., Var "x"), Const 1.)
print_expr e; print_newline ();;
2. * x + 1. - : unit = ()
print_expr (deriv e "x"); print_newline ();;
2. * 1. + 0. * x + 0. - : unit = ()

1.9  Standalone OCaml programs

All examples given so far were executed under the interactive system. OCaml code can also be compiled separately and executed non-interactively using the batch compilers ocamlc and ocamlopt. The source code must be put in a file with extension .ml. It consists of a sequence of phrases, which will be evaluated at runtime in their order of appearance in the source file. Unlike in interactive mode, types and values are not printed automatically; the program must call printing functions explicitly to produce some output. Here is a sample standalone program to print Fibonacci numbers:

(* File fib.ml *)
let rec fib n =
  if n < 2 then 1 else fib (n-1) + fib (n-2);;
let main () =
  let arg = int_of_string Sys.argv.(1) in
  print_int (fib arg);
  print_newline ();
  exit 0;;
main ();;

Sys.argv is an array of strings containing the command-line parameters. Sys.argv.(1) is thus the first command-line parameter. The program above is compiled and executed with the following shell commands:

$ ocamlc -o fib fib.ml
$ ./fib 10
89
$ ./fib 20
10946

More complex standalone OCaml programs are typically composed of multiple source files, and can link with precompiled libraries. Chapters 8 and 11 explain how to use the batch compilers ocamlc and ocamlopt. Recompilation of multi-file OCaml projects can be automated using third-party build systems, such as the ocamlbuild compilation manager.


Previous Up Next ocaml-doc-4.05/ocaml.html/names.html0000644000175000017500000003656213131636457016312 0ustar mehdimehdi 6.3  Names Previous Up Next

6.3  Names

Identifiers are used to give names to several classes of language objects and refer to these objects by name later:

These eleven name spaces are distinguished both by the context and by the capitalization of the identifier: whether the first letter of the identifier is in lowercase (written lowercase-ident below) or in uppercase (written capitalized-ident). Underscore is considered a lowercase letter for this purpose.

Naming objects

value-name::= lowercase-ident  
  ( operator-name )  
 
operator-name::= prefix-symbol ∣  infix-op  
 
infix-op::= infix-symbol  
  * ∣  + ∣  - ∣  -. ∣  = ∣  != ∣  < ∣  > ∣  or ∣  || ∣  & ∣  && ∣  :=  
  mod ∣  land ∣  lor ∣  lxor ∣  lsl ∣  lsr ∣  asr  
 
constr-name::= capitalized-ident  
 
tag-name::= capitalized-ident  
 
typeconstr-name::= lowercase-ident  
 
field-name::= lowercase-ident  
 
module-name::= capitalized-ident  
 
modtype-name::= ident  
 
class-name::= lowercase-ident  
 
inst-var-name::= lowercase-ident  
 
method-name::= lowercase-ident

As shown above, prefix and infix symbols as well as some keywords can be used as value names, provided they are written between parentheses. The capitalization rules are summarized in the table below.

Name spaceCase of first letter
Valueslowercase
Constructorsuppercase
Labelslowercase
Polymorphic variant tagsuppercase
Exceptionsuppercase
Type constructorslowercase
Record fieldslowercase
Classeslowercase
Instance variableslowercase
Methodslowercase
Modulesuppercase
Module typesany

Note on polymorphic variant tags: the current implementation accepts lowercase variant tags in addition to capitalized variant tags, but we suggest you avoid lowercase variant tags for portability and compatibility with future OCaml versions.

Referring to named objects

value-path::=module-path . ]  value-name  
 
constr::=module-path . ]  constr-name  
 
typeconstr::=extended-module-path . ]  typeconstr-name  
 
field::=module-path . ]  field-name  
 
modtype-path::=extended-module-path . ]  modtype-name  
 
class-path::=module-path . ]  class-name  
 
classtype-path::=extended-module-path . ]  class-name  
 
module-path::= module-name  { . module-name }  
 
extended-module-path::= extended-module-name  { . extended-module-name }  
 
extended-module-name::= module-name  { ( extended-module-path ) }

A named object can be referred to either by its name (following the usual static scoping rules for names) or by an access path prefix .  name, where prefix designates a module and name is the name of an object defined in that module. The first component of the path, prefix, is either a simple module name or an access path name1 .  name2 …, in case the defining module is itself nested inside other modules. For referring to type constructors, module types, or class types, the prefix can also contain simple functor applications (as in the syntactic class extended-module-path above) in case the defining module is the result of a functor application.

Label names, tag names, method names and instance variable names need not be qualified: the former three are global labels, while the latter are local to a class.


Previous Up Next ocaml-doc-4.05/ocaml.html/profil.html0000644000175000017500000002763413131636457016502 0ustar mehdimehdi Chapter 17  Profiling (ocamlprof) Previous Up Next

Chapter 17  Profiling (ocamlprof)

This chapter describes how the execution of OCaml programs can be profiled, by recording how many times functions are called, branches of conditionals are taken, …

17.1  Compiling for profiling

Before profiling an execution, the program must be compiled in profiling mode, using the ocamlcp front-end to the ocamlc compiler (see chapter 8) or the ocamloptp front-end to the ocamlopt compiler (see chapter 11). When compiling modules separately, ocamlcp or ocamloptp must be used when compiling the modules (production of .cmo or .cmx files), and can also be used (though this is not strictly necessary) when linking them together.

Note

If a module (.ml file) doesn’t have a corresponding interface (.mli file), then compiling it with ocamlcp will produce object files (.cmi and .cmo) that are not compatible with the ones produced by ocamlc, which may lead to problems (if the .cmi or .cmo is still around) when switching between profiling and non-profiling compilations. To avoid this problem, you should always have a .mli file for each .ml file. The same problem exists with ocamloptp.

Note

To make sure your programs can be compiled in profiling mode, avoid using any identifier that begins with __ocaml_prof.

The amount of profiling information can be controlled through the -P option to ocamlcp or ocamloptp, followed by one or several letters indicating which parts of the program should be profiled:

a
all options
f
function calls : a count point is set at the beginning of each function body
i
if …then …else … : count points are set in both then branch and else branch
l
while, for loops: a count point is set at the beginning of the loop body
m
match branches: a count point is set at the beginning of the body of each branch
t
try …with … branches: a count point is set at the beginning of the body of each branch

For instance, compiling with ocamlcp -P film profiles function calls, if…then…else…, loops and pattern matching.

Calling ocamlcp or ocamloptp without the -P option defaults to -P fm, meaning that only function calls and pattern matching are profiled.

Note

For compatibility with previous releases, ocamlcp also accepts the -p option, with the same arguments and behaviour as -P.

The ocamlcp and ocamloptp commands also accept all the options of the corresponding ocamlc or ocamlopt compiler, except the -pp (preprocessing) option.

17.2  Profiling an execution

Running an executable that has been compiled with ocamlcp or ocamloptp records the execution counts for the specified parts of the program and saves them in a file called ocamlprof.dump in the current directory.

If the environment variable OCAMLPROF_DUMP is set when the program exits, its value is used as the file name instead of ocamlprof.dump.

The dump file is written only if the program terminates normally (by calling exit or by falling through). It is not written if the program terminates with an uncaught exception.

If a compatible dump file already exists in the current directory, then the profiling information is accumulated in this dump file. This allows, for instance, the profiling of several executions of a program on different inputs. Note that dump files produced by byte-code executables (compiled with ocamlcp) are compatible with the dump files produced by native executables (compiled with ocamloptp).

17.3  Printing profiling information

The ocamlprof command produces a source listing of the program modules where execution counts have been inserted as comments. For instance,

        ocamlprof foo.ml

prints the source code for the foo module, with comments indicating how many times the functions in this module have been called. Naturally, this information is accurate only if the source file has not been modified after it was compiled.

The following options are recognized by ocamlprof:

-args filename
Read additional newline-terminated command line arguments from filename.
-args0 filename
Read additional null character terminated command line arguments from filename.
-f dumpfile
Specifies an alternate dump file of profiling information to be read.
-F string
Specifies an additional string to be output with profiling information. By default, ocamlprof will annotate programs with comments of the form (* n *) where n is the counter value for a profiling point. With option -F s, the annotation will be (* sn *).
-impl filename
Process the file filename as an implementation file, even if its extension is not .ml.
-intf filename
Process the file filename as an interface file, even if its extension is not .mli.
-version
Print version string and exit.
-vnum
Print short version number and exit.
-help or --help
Display a short usage summary and exit.

17.4  Time profiling

Profiling with ocamlprof only records execution counts, not the actual time spent within each function. There is currently no way to perform time profiling on bytecode programs generated by ocamlc.

Native-code programs generated by ocamlopt can be profiled for time and execution counts using the -p option and the standard Unix profiler gprof. Just add the -p option when compiling and linking the program:

        ocamlopt -o myprog -p other-options files
        ./myprog
        gprof myprog

OCaml function names in the output of gprof have the following format:

        Module-name_function-name_unique-number

Other functions shown are either parts of the OCaml run-time system or external C functions linked with the program.

The output of gprof is described in the Unix manual page for gprof(1). It generally consists of two parts: a “flat” profile showing the time spent in each function and the number of invocation of each function, and a “hierarchical” profile based on the call graph. Currently, only the Intel x86 ports of ocamlopt under Linux, BSD and MacOS X support the two profiles. On other platforms, gprof will report only the “flat” profile with just time information. When reading the output of gprof, keep in mind that the accumulated times computed by gprof are based on heuristics and may not be exact.

Note

The ocamloptp command also accepts the -p option. In that case, both kinds of profiling are performed by the program, and you can display the results with the gprof and ocamlprof commands, respectively.


Previous Up Next ocaml-doc-4.05/ocaml.html/debugger.html0000644000175000017500000012767613131636457017002 0ustar mehdimehdi Chapter 16  The debugger (ocamldebug) Previous Up Next

Chapter 16  The debugger (ocamldebug)

This chapter describes the OCaml source-level replay debugger ocamldebug.

Unix:   The debugger is available on Unix systems that provide BSD sockets.
Windows:   The debugger is available under the Cygwin port of OCaml, but not under the native Win32 ports.

16.1  Compiling for debugging

Before the debugger can be used, the program must be compiled and linked with the -g option: all .cmo and .cma files that are part of the program should have been created with ocamlc -g, and they must be linked together with ocamlc -g.

Compiling with -g entails no penalty on the running time of programs: object files and bytecode executable files are bigger and take longer to produce, but the executable files run at exactly the same speed as if they had been compiled without -g.

16.2  Invocation

16.2.1  Starting the debugger

The OCaml debugger is invoked by running the program ocamldebug with the name of the bytecode executable file as first argument:

        ocamldebug [options] program [arguments]

The arguments following program are optional, and are passed as command-line arguments to the program being debugged. (See also the set arguments command.)

The following command-line options are recognized:

-c count
Set the maximum number of simultaneously live checkpoints to count.
-cd dir
Run the debugger program from the working directory dir, instead of the current directory. (See also the cd command.)
-emacs
Tell the debugger it is executed under Emacs. (See section 16.10 for information on how to run the debugger under Emacs.)
-I directory
Add directory to the list of directories searched for source files and compiled files. (See also the directory command.)
-s socket
Use socket for communicating with the debugged program. See the description of the command set socket (section 16.8.6) for the format of socket.
-version
Print version string and exit.
-vnum
Print short version number and exit.
-help or --help
Display a short usage summary and exit.

16.2.2  Initialization file

On start-up, the debugger will read commands from an initialization file before giving control to the user. The default file is .ocamldebug in the current directory if it exists, otherwise .ocamldebug in the user’s home directory.

16.2.3  Exiting the debugger

The command quit exits the debugger. You can also exit the debugger by typing an end-of-file character (usually ctrl-D).

Typing an interrupt character (usually ctrl-C) will not exit the debugger, but will terminate the action of any debugger command that is in progress and return to the debugger command level.

16.3  Commands

A debugger command is a single line of input. It starts with a command name, which is followed by arguments depending on this name. Examples:

        run
        goto 1000
        set arguments arg1 arg2

A command name can be truncated as long as there is no ambiguity. For instance, go 1000 is understood as goto 1000, since there are no other commands whose name starts with go. For the most frequently used commands, ambiguous abbreviations are allowed. For instance, r stands for run even though there are others commands starting with r. You can test the validity of an abbreviation using the help command.

If the previous command has been successful, a blank line (typing just RET) will repeat it.

16.3.1  Getting help

The OCaml debugger has a simple on-line help system, which gives a brief description of each command and variable.

help
Print the list of commands.
help command
Give help about the command command.
help set variable, help show variable
Give help about the variable variable. The list of all debugger variables can be obtained with help set.
help info topic
Give help about topic. Use help info to get a list of known topics.

16.3.2  Accessing the debugger state

set variable value
Set the debugger variable variable to the value value.
show variable
Print the value of the debugger variable variable.
info subject
Give information about the given subject. For instance, info breakpoints will print the list of all breakpoints.

16.4  Executing a program

16.4.1  Events

Events are “interesting” locations in the source code, corresponding to the beginning or end of evaluation of “interesting” sub-expressions. Events are the unit of single-stepping (stepping goes to the next or previous event encountered in the program execution). Also, breakpoints can only be set at events. Thus, events play the role of line numbers in debuggers for conventional languages.

During program execution, a counter is incremented at each event encountered. The value of this counter is referred as the current time. Thanks to reverse execution, it is possible to jump back and forth to any time of the execution.

Here is where the debugger events (written §§) are located in the source code:

Exceptions: A function application followed by a function return is replaced by the compiler by a jump (tail-call optimization). In this case, no event is put after the function application.

16.4.2  Starting the debugged program

The debugger starts executing the debugged program only when needed. This allows setting breakpoints or assigning debugger variables before execution starts. There are several ways to start execution:

run
Run the program until a breakpoint is hit, or the program terminates.
goto 0
Load the program and stop on the first event.
goto time
Load the program and execute it until the given time. Useful when you already know approximately at what time the problem appears. Also useful to set breakpoints on function values that have not been computed at time 0 (see section 16.5).

The execution of a program is affected by certain information it receives when the debugger starts it, such as the command-line arguments to the program and its working directory. The debugger provides commands to specify this information (set arguments and cd). These commands must be used before program execution starts. If you try to change the arguments or the working directory after starting your program, the debugger will kill the program (after asking for confirmation).

16.4.3  Running the program

The following commands execute the program forward or backward, starting at the current time. The execution will stop either when specified by the command or when a breakpoint is encountered.

run
Execute the program forward from current time. Stops at next breakpoint or when the program terminates.
reverse
Execute the program backward from current time. Mostly useful to go to the last breakpoint encountered before the current time.
step [count]
Run the program and stop at the next event. With an argument, do it count times. If count is 0, run until the program terminates or a breakpoint is hit.
backstep [count]
Run the program backward and stop at the previous event. With an argument, do it count times.
next [count]
Run the program and stop at the next event, skipping over function calls. With an argument, do it count times.
previous [count]
Run the program backward and stop at the previous event, skipping over function calls. With an argument, do it count times.
finish
Run the program until the current function returns.
start
Run the program backward and stop at the first event before the current function invocation.

16.4.4  Time travel

You can jump directly to a given time, without stopping on breakpoints, using the goto command.

As you move through the program, the debugger maintains an history of the successive times you stop at. The last command can be used to revisit these times: each last command moves one step back through the history. That is useful mainly to undo commands such as step and next.

goto time
Jump to the given time.
last [count]
Go back to the latest time recorded in the execution history. With an argument, do it count times.
set history size
Set the size of the execution history.

16.4.5  Killing the program

kill
Kill the program being executed. This command is mainly useful if you wish to recompile the program without leaving the debugger.

16.5  Breakpoints

A breakpoint causes the program to stop whenever a certain point in the program is reached. It can be set in several ways using the break command. Breakpoints are assigned numbers when set, for further reference. The most comfortable way to set breakpoints is through the Emacs interface (see section 16.10).

break
Set a breakpoint at the current position in the program execution. The current position must be on an event (i.e., neither at the beginning, nor at the end of the program).
break function
Set a breakpoint at the beginning of function. This works only when the functional value of the identifier function has been computed and assigned to the identifier. Hence this command cannot be used at the very beginning of the program execution, when all identifiers are still undefined; use goto time to advance execution until the functional value is available.
break @ [module] line
Set a breakpoint in module module (or in the current module if module is not given), at the first event of line line.
break @ [module] line column
Set a breakpoint in module module (or in the current module if module is not given), at the event closest to line line, column column.
break @ [module] # character
Set a breakpoint in module module at the event closest to character number character.
break address
Set a breakpoint at the code address address.
delete [breakpoint-numbers]
Delete the specified breakpoints. Without argument, all breakpoints are deleted (after asking for confirmation).
info breakpoints
Print the list of all breakpoints.

16.6  The call stack

Each time the program performs a function application, it saves the location of the application (the return address) in a block of data called a stack frame. The frame also contains the local variables of the caller function. All the frames are allocated in a region of memory called the call stack. The command backtrace (or bt) displays parts of the call stack.

At any time, one of the stack frames is “selected” by the debugger; several debugger commands refer implicitly to the selected frame. In particular, whenever you ask the debugger for the value of a local variable, the value is found in the selected frame. The commands frame, up and down select whichever frame you are interested in.

When the program stops, the debugger automatically selects the currently executing frame and describes it briefly as the frame command does.

frame
Describe the currently selected stack frame.
frame frame-number
Select a stack frame by number and describe it. The frame currently executing when the program stopped has number 0; its caller has number 1; and so on up the call stack.
backtrace [count], bt [count]
Print the call stack. This is useful to see which sequence of function calls led to the currently executing frame. With a positive argument, print only the innermost count frames. With a negative argument, print only the outermost -count frames.
up [count]
Select and display the stack frame just “above” the selected frame, that is, the frame that called the selected frame. An argument says how many frames to go up.
down [count]
Select and display the stack frame just “below” the selected frame, that is, the frame that was called by the selected frame. An argument says how many frames to go down.

16.7  Examining variable values

The debugger can print the current value of simple expressions. The expressions can involve program variables: all the identifiers that are in scope at the selected program point can be accessed.

Expressions that can be printed are a subset of OCaml expressions, as described by the following grammar:

simple-expr::= lowercase-ident  
  { capitalized-ident . }  lowercase-ident  
  *  
  $ integer  
  simple-expr .  lowercase-ident  
  simple-expr .(  integer )  
  simple-expr .[  integer ]  
  ! simple-expr  
  ( simple-expr )

The first two cases refer to a value identifier, either unqualified or qualified by the path to the structure that define it. * refers to the result just computed (typically, the value of a function application), and is valid only if the selected event is an “after” event (typically, a function application). $ integer refer to a previously printed value. The remaining four forms select part of an expression: respectively, a record field, an array element, a string element, and the current contents of a reference.

print variables
Print the values of the given variables. print can be abbreviated as p.
display variables
Same as print, but limit the depth of printing to 1. Useful to browse large data structures without printing them in full. display can be abbreviated as d.

When printing a complex expression, a name of the form $integer is automatically assigned to its value. Such names are also assigned to parts of the value that cannot be printed because the maximal printing depth is exceeded. Named values can be printed later on with the commands p $integer or d $integer. Named values are valid only as long as the program is stopped. They are forgotten as soon as the program resumes execution.

set print_depth d
Limit the printing of values to a maximal depth of d.
set print_length l
Limit the printing of values to at most l nodes printed.

16.8  Controlling the debugger

16.8.1  Setting the program name and arguments

set program file
Set the program name to file.
set arguments arguments
Give arguments as command-line arguments for the program.

A shell is used to pass the arguments to the debugged program. You can therefore use wildcards, shell variables, and file redirections inside the arguments. To debug programs that read from standard input, it is recommended to redirect their input from a file (using set arguments < input-file), otherwise input to the program and input to the debugger are not properly separated, and inputs are not properly replayed when running the program backwards.

16.8.2  How programs are loaded

The loadingmode variable controls how the program is executed.

set loadingmode direct
The program is run directly by the debugger. This is the default mode.
set loadingmode runtime
The debugger execute the OCaml runtime ocamlrun on the program. Rarely useful; moreover it prevents the debugging of programs compiled in “custom runtime” mode.
set loadingmode manual
The user starts manually the program, when asked by the debugger. Allows remote debugging (see section 16.8.6).

16.8.3  Search path for files

The debugger searches for source files and compiled interface files in a list of directories, the search path. The search path initially contains the current directory . and the standard library directory. The directory command adds directories to the path.

Whenever the search path is modified, the debugger will clear any information it may have cached about the files.

directory directorynames
Add the given directories to the search path. These directories are added at the front, and will therefore be searched first.
directory directorynames for modulename
Same as directory directorynames, but the given directories will be searched only when looking for the source file of a module that has been packed into modulename.
directory
Reset the search path. This requires confirmation.

16.8.4  Working directory

Each time a program is started in the debugger, it inherits its working directory from the current working directory of the debugger. This working directory is initially whatever it inherited from its parent process (typically the shell), but you can specify a new working directory in the debugger with the cd command or the -cd command-line option.

cd directory
Set the working directory for ocamldebug to directory.
pwd
Print the working directory for ocamldebug.

16.8.5  Turning reverse execution on and off

In some cases, you may want to turn reverse execution off. This speeds up the program execution, and is also sometimes useful for interactive programs.

Normally, the debugger takes checkpoints of the program state from time to time. That is, it makes a copy of the current state of the program (using the Unix system call fork). If the variable checkpoints is set to off, the debugger will not take any checkpoints.

set checkpoints on/off
Select whether the debugger makes checkpoints or not.

16.8.6  Communication between the debugger and the program

The debugger communicate with the program being debugged through a Unix socket. You may need to change the socket name, for example if you need to run the debugger on a machine and your program on another.

set socket socket
Use socket for communication with the program. socket can be either a file name, or an Internet port specification host:port, where host is a host name or an Internet address in dot notation, and port is a port number on the host.

On the debugged program side, the socket name is passed through the CAML_DEBUG_SOCKET environment variable.

16.8.7  Fine-tuning the debugger

Several variables enables to fine-tune the debugger. Reasonable defaults are provided, and you should normally not have to change them.

set processcount count
Set the maximum number of checkpoints to count. More checkpoints facilitate going far back in time, but use more memory and create more Unix processes.

As checkpointing is quite expensive, it must not be done too often. On the other hand, backward execution is faster when checkpoints are taken more often. In particular, backward single-stepping is more responsive when many checkpoints have been taken just before the current time. To fine-tune the checkpointing strategy, the debugger does not take checkpoints at the same frequency for long displacements (e.g. run) and small ones (e.g. step). The two variables bigstep and smallstep contain the number of events between two checkpoints in each case.

set bigstep count
Set the number of events between two checkpoints for long displacements.
set smallstep count
Set the number of events between two checkpoints for small displacements.

The following commands display information on checkpoints and events:

info checkpoints
Print a list of checkpoints.
info events [module]
Print the list of events in the given module (the current module, by default).

16.8.8  User-defined printers

Just as in the toplevel system (section 9.2), the user can register functions for printing values of certain types. For technical reasons, the debugger cannot call printing functions that reside in the program being debugged. The code for the printing functions must therefore be loaded explicitly in the debugger.

load_printer "file-name"
Load in the debugger the indicated .cmo or .cma object file. The file is loaded in an environment consisting only of the OCaml standard library plus the definitions provided by object files previously loaded using load_printer. If this file depends on other object files not yet loaded, the debugger automatically loads them if it is able to find them in the search path. The loaded file does not have direct access to the modules of the program being debugged.
install_printer printer-name
Register the function named printer-name (a value path) as a printer for objects whose types match the argument type of the function. That is, the debugger will call printer-name when it has such an object to print. The printing function printer-name must use the Format library module to produce its output, otherwise its output will not be correctly located in the values printed by the toplevel loop.

The value path printer-name must refer to one of the functions defined by the object files loaded using load_printer. It cannot reference the functions of the program being debugged.

remove_printer printer-name
Remove the named function from the table of value printers.

16.9  Miscellaneous commands

list [module] [beginning] [end]
List the source of module module, from line number beginning to line number end. By default, 20 lines of the current module are displayed, starting 10 lines before the current position.
source filename
Read debugger commands from the script filename.

16.10  Running the debugger under Emacs

The most user-friendly way to use the debugger is to run it under Emacs. See the file emacs/README in the distribution for information on how to load the Emacs Lisp files for OCaml support.

The OCaml debugger is started under Emacs by the command M-x camldebug, with argument the name of the executable file progname to debug. Communication with the debugger takes place in an Emacs buffer named *camldebug-progname*. The editing and history facilities of Shell mode are available for interacting with the debugger.

In addition, Emacs displays the source files containing the current event (the current position in the program execution) and highlights the location of the event. This display is updated synchronously with the debugger action.

The following bindings for the most common debugger commands are available in the *camldebug-progname* buffer:

C-c C-s
(command step): execute the program one step forward.
C-c C-k
(command backstep): execute the program one step backward.
C-c C-n
(command next): execute the program one step forward, skipping over function calls.
Middle mouse button
(command display): display named value. $n under mouse cursor (support incremental browsing of large data structures).
C-c C-p
(command print): print value of identifier at point.
C-c C-d
(command display): display value of identifier at point.
C-c C-r
(command run): execute the program forward to next breakpoint.
C-c C-v
(command reverse): execute the program backward to latest breakpoint.
C-c C-l
(command last): go back one step in the command history.
C-c C-t
(command backtrace): display backtrace of function calls.
C-c C-f
(command finish): run forward till the current function returns.
C-c <
(command up): select the stack frame below the current frame.
C-c >
(command down): select the stack frame above the current frame.

In all buffers in OCaml editing mode, the following debugger commands are also available:

C-x C-a C-b
(command break): set a breakpoint at event closest to point
C-x C-a C-p
(command print): print value of identifier at point
C-x C-a C-d
(command display): display value of identifier at point

Previous Up Next ocaml-doc-4.05/ocaml.html/browser.html0000644000175000017500000000217513131636457016663 0ustar mehdimehdi Chapter 14  The browser/editor (ocamlbrowser) Previous Up Next

Chapter 14  The browser/editor (ocamlbrowser)

Since OCaml version 4.02, the OCamlBrowser tool and the Labltk library are distributed separately from the OCaml compiler. The project is now hosted at https://forge.ocamlcore.org/projects/labltk/.


Previous Up Next ocaml-doc-4.05/ocaml.html/advexamples.html0000644000175000017500000010221613131636457017506 0ustar mehdimehdi Chapter 5  Advanced examples with classes and modules Previous Up Next

Chapter 5  Advanced examples with classes and modules

(Chapter written by Didier Rémy)



In this chapter, we show some larger examples using objects, classes and modules. We review many of the object features simultaneously on the example of a bank account. We show how modules taken from the standard library can be expressed as classes. Lastly, we describe a programming pattern know of as virtual types through the example of window managers.

5.1  Extended example: bank accounts

In this section, we illustrate most aspects of Object and inheritance by refining, debugging, and specializing the following initial naive definition of a simple bank account. (We reuse the module Euro defined at the end of chapter 3.)

let euro = new Euro.c;;
val euro : float -> Euro.c = <fun>
let zero = euro 0.;;
val zero : Euro.c = <obj>
let neg x = x#times (-1.);;
val neg : < times : float -> 'a; .. > -> 'a = <fun>
class account = object val mutable balance = zero method balance = balance method deposit x = balance <- balance # plus x method withdraw x = if x#leq balance then (balance <- balance # plus (neg x); x) else zero end;;
class account : object val mutable balance : Euro.c method balance : Euro.c method deposit : Euro.c -> unit method withdraw : Euro.c -> Euro.c end
let c = new account in c # deposit (euro 100.); c # withdraw (euro 50.);;
- : Euro.c = <obj>

We now refine this definition with a method to compute interest.

class account_with_interests = object (self) inherit account method private interest = self # deposit (self # balance # times 0.03) end;;
class account_with_interests : object val mutable balance : Euro.c method balance : Euro.c method deposit : Euro.c -> unit method private interest : unit method withdraw : Euro.c -> Euro.c end

We make the method interest private, since clearly it should not be called freely from the outside. Here, it is only made accessible to subclasses that will manage monthly or yearly updates of the account.

We should soon fix a bug in the current definition: the deposit method can be used for withdrawing money by depositing negative amounts. We can fix this directly:

class safe_account = object inherit account method deposit x = if zero#leq x then balance <- balance#plus x end;;
class safe_account : object val mutable balance : Euro.c method balance : Euro.c method deposit : Euro.c -> unit method withdraw : Euro.c -> Euro.c end

However, the bug might be fixed more safely by the following definition:

class safe_account = object inherit account as unsafe method deposit x = if zero#leq x then unsafe # deposit x else raise (Invalid_argument "deposit") end;;
class safe_account : object val mutable balance : Euro.c method balance : Euro.c method deposit : Euro.c -> unit method withdraw : Euro.c -> Euro.c end

In particular, this does not require the knowledge of the implementation of the method deposit.

To keep track of operations, we extend the class with a mutable field history and a private method trace to add an operation in the log. Then each method to be traced is redefined.

type 'a operation = Deposit of 'a | Retrieval of 'a;;
type 'a operation = Deposit of 'a | Retrieval of 'a
class account_with_history = object (self) inherit safe_account as super val mutable history = [] method private trace x = history <- x :: history method deposit x = self#trace (Deposit x); super#deposit x method withdraw x = self#trace (Retrieval x); super#withdraw x method history = List.rev history end;;
class account_with_history : object val mutable balance : Euro.c val mutable history : Euro.c operation list method balance : Euro.c method deposit : Euro.c -> unit method history : Euro.c operation list method private trace : Euro.c operation -> unit method withdraw : Euro.c -> Euro.c end

One may wish to open an account and simultaneously deposit some initial amount. Although the initial implementation did not address this requirement, it can be achieved by using an initializer.

class account_with_deposit x = object inherit account_with_history initializer balance <- x end;;
class account_with_deposit : Euro.c -> object val mutable balance : Euro.c val mutable history : Euro.c operation list method balance : Euro.c method deposit : Euro.c -> unit method history : Euro.c operation list method private trace : Euro.c operation -> unit method withdraw : Euro.c -> Euro.c end

A better alternative is:

class account_with_deposit x = object (self) inherit account_with_history initializer self#deposit x end;;
class account_with_deposit : Euro.c -> object val mutable balance : Euro.c val mutable history : Euro.c operation list method balance : Euro.c method deposit : Euro.c -> unit method history : Euro.c operation list method private trace : Euro.c operation -> unit method withdraw : Euro.c -> Euro.c end

Indeed, the latter is safer since the call to deposit will automatically benefit from safety checks and from the trace. Let’s test it:

let ccp = new account_with_deposit (euro 100.) in let _balance = ccp#withdraw (euro 50.) in ccp#history;;
- : Euro.c operation list = [Deposit <obj>; Retrieval <obj>]

Closing an account can be done with the following polymorphic function:

let close c = c#withdraw c#balance;;
val close : < balance : 'a; withdraw : 'a -> 'b; .. > -> 'b = <fun>

Of course, this applies to all sorts of accounts.

Finally, we gather several versions of the account into a module Account abstracted over some currency.

let today () = (01,01,2000) (* an approximation *) module Account (M:MONEY) = struct type m = M.c let m = new M.c let zero = m 0. class bank = object (self) val mutable balance = zero method balance = balance val mutable history = [] method private trace x = history <- x::history method deposit x = self#trace (Deposit x); if zero#leq x then balance <- balance # plus x else raise (Invalid_argument "deposit") method withdraw x = if x#leq balance then (balance <- balance # plus (neg x); self#trace (Retrieval x); x) else zero method history = List.rev history end class type client_view = object method deposit : m -> unit method history : m operation list method withdraw : m -> m method balance : m end class virtual check_client x = let y = if (m 100.)#leq x then x else raise (Failure "Insufficient initial deposit") in object (self) initializer self#deposit y method virtual deposit: m -> unit end module Client (B : sig class bank : client_view end) = struct class account x : client_view = object inherit B.bank inherit check_client x end let discount x = let c = new account x in if today() < (1998,10,30) then c # deposit (m 100.); c end end;;

This shows the use of modules to group several class definitions that can in fact be thought of as a single unit. This unit would be provided by a bank for both internal and external uses. This is implemented as a functor that abstracts over the currency so that the same code can be used to provide accounts in different currencies.

The class bank is the real implementation of the bank account (it could have been inlined). This is the one that will be used for further extensions, refinements, etc. Conversely, the client will only be given the client view.

module Euro_account = Account(Euro);;
module Client = Euro_account.Client (Euro_account);;
new Client.account (new Euro.c 100.);;

Hence, the clients do not have direct access to the balance, nor the history of their own accounts. Their only way to change their balance is to deposit or withdraw money. It is important to give the clients a class and not just the ability to create accounts (such as the promotional discount account), so that they can personalize their account. For instance, a client may refine the deposit and withdraw methods so as to do his own financial bookkeeping, automatically. On the other hand, the function discount is given as such, with no possibility for further personalization.

It is important to provide the client’s view as a functor Client so that client accounts can still be built after a possible specialization of the bank. The functor Client may remain unchanged and be passed the new definition to initialize a client’s view of the extended account.

module Investment_account (M : MONEY) = struct type m = M.c module A = Account(M) class bank = object inherit A.bank as super method deposit x = if (new M.c 1000.)#leq x then print_string "Would you like to invest?"; super#deposit x end module Client = A.Client end;;

The functor Client may also be redefined when some new features of the account can be given to the client.

module Internet_account (M : MONEY) = struct type m = M.c module A = Account(M) class bank = object inherit A.bank method mail s = print_string s end class type client_view = object method deposit : m -> unit method history : m operation list method withdraw : m -> m method balance : m method mail : string -> unit end module Client (B : sig class bank : client_view end) = struct class account x : client_view = object inherit B.bank inherit A.check_client x end end end;;

5.2  Simple modules as classes

One may wonder whether it is possible to treat primitive types such as integers and strings as objects. Although this is usually uninteresting for integers or strings, there may be some situations where this is desirable. The class money above is such an example. We show here how to do it for strings.

5.2.1  Strings

A naive definition of strings as objects could be:

class ostring s = object method get n = String.get s n method print = print_string s method escaped = new ostring (String.escaped s) end;;
class ostring : string -> object method escaped : ostring method get : int -> char method print : unit end

However, the method escaped returns an object of the class ostring, and not an object of the current class. Hence, if the class is further extended, the method escaped will only return an object of the parent class.

class sub_string s = object inherit ostring s method sub start len = new sub_string (String.sub s start len) end;;
class sub_string : string -> object method escaped : ostring method get : int -> char method print : unit method sub : int -> int -> sub_string end

As seen in section 3.16, the solution is to use functional update instead. We need to create an instance variable containing the representation s of the string.

class better_string s = object val repr = s method get n = String.get repr n method print = print_string repr method escaped = {< repr = String.escaped repr >} method sub start len = {< repr = String.sub s start len >} end;;
class better_string : string -> object ('a) val repr : string method escaped : 'a method get : int -> char method print : unit method sub : int -> int -> 'a end

As shown in the inferred type, the methods escaped and sub now return objects of the same type as the one of the class.

Another difficulty is the implementation of the method concat. In order to concatenate a string with another string of the same class, one must be able to access the instance variable externally. Thus, a method repr returning s must be defined. Here is the correct definition of strings:

class ostring s = object (self : 'mytype) val repr = s method repr = repr method get n = String.get repr n method print = print_string repr method escaped = {< repr = String.escaped repr >} method sub start len = {< repr = String.sub s start len >} method concat (t : 'mytype) = {< repr = repr ^ t#repr >} end;;
class ostring : string -> object ('a) val repr : string method concat : 'a -> 'a method escaped : 'a method get : int -> char method print : unit method repr : string method sub : int -> int -> 'a end

Another constructor of the class string can be defined to return a new string of a given length:

class cstring n = ostring (String.make n ' ');;
class cstring : int -> ostring

Here, exposing the representation of strings is probably harmless. We do could also hide the representation of strings as we hid the currency in the class money of section 3.17.

Stacks

There is sometimes an alternative between using modules or classes for parametric data types. Indeed, there are situations when the two approaches are quite similar. For instance, a stack can be straightforwardly implemented as a class:

exception Empty;;
exception Empty
class ['a] stack = object val mutable l = ([] : 'a list) method push x = l <- x::l method pop = match l with [] -> raise Empty | a::l' -> l <- l'; a method clear = l <- [] method length = List.length l end;;
class ['a] stack : object val mutable l : 'a list method clear : unit method length : int method pop : 'a method push : 'a -> unit end

However, writing a method for iterating over a stack is more problematic. A method fold would have type ('b -> 'a -> 'b) -> 'b -> 'b. Here 'a is the parameter of the stack. The parameter 'b is not related to the class 'a stack but to the argument that will be passed to the method fold. A naive approach is to make 'b an extra parameter of class stack:

class ['a, 'b] stack2 = object inherit ['a] stack method fold f (x : 'b) = List.fold_left f x l end;;
class ['a, 'b] stack2 : object val mutable l : 'a list method clear : unit method fold : ('b -> 'a -> 'b) -> 'b -> 'b method length : int method pop : 'a method push : 'a -> unit end

However, the method fold of a given object can only be applied to functions that all have the same type:

let s = new stack2;;
val s : ('_a, '_b) stack2 = <obj>
s#fold ( + ) 0;;
- : int = 0
s;;
- : (int, int) stack2 = <obj>

A better solution is to use polymorphic methods, which were introduced in OCaml version 3.05. Polymorphic methods makes it possible to treat the type variable 'b in the type of fold as universally quantified, giving fold the polymorphic type Forall 'b. ('b -> 'a -> 'b) -> 'b -> 'b. An explicit type declaration on the method fold is required, since the type checker cannot infer the polymorphic type by itself.

class ['a] stack3 = object inherit ['a] stack method fold : 'b. ('b -> 'a -> 'b) -> 'b -> 'b = fun f x -> List.fold_left f x l end;;
class ['a] stack3 : object val mutable l : 'a list method clear : unit method fold : ('b -> 'a -> 'b) -> 'b -> 'b method length : int method pop : 'a method push : 'a -> unit end

5.2.2  Hashtbl

A simplified version of object-oriented hash tables should have the following class type.

class type ['a, 'b] hash_table = object method find : 'a -> 'b method add : 'a -> 'b -> unit end;;
class type ['a, 'b] hash_table = object method add : 'a -> 'b -> unit method find : 'a -> 'b end

A simple implementation, which is quite reasonable for small hash tables is to use an association list:

class ['a, 'b] small_hashtbl : ['a, 'b] hash_table = object val mutable table = [] method find key = List.assoc key table method add key valeur = table <- (key, valeur) :: table end;;
class ['a, 'b] small_hashtbl : ['a, 'b] hash_table

A better implementation, and one that scales up better, is to use a true hash table… whose elements are small hash tables!

class ['a, 'b] hashtbl size : ['a, 'b] hash_table = object (self) val table = Array.init size (fun i -> new small_hashtbl) method private hash key = (Hashtbl.hash key) mod (Array.length table) method find key = table.(self#hash key) # find key method add key = table.(self#hash key) # add key end;;
class ['a, 'b] hashtbl : int -> ['a, 'b] hash_table

5.2.3  Sets

Implementing sets leads to another difficulty. Indeed, the method union needs to be able to access the internal representation of another object of the same class.

This is another instance of friend functions as seen in section 3.17. Indeed, this is the same mechanism used in the module Set in the absence of objects.

In the object-oriented version of sets, we only need to add an additional method tag to return the representation of a set. Since sets are parametric in the type of elements, the method tag has a parametric type 'a tag, concrete within the module definition but abstract in its signature. From outside, it will then be guaranteed that two objects with a method tag of the same type will share the same representation.

module type SET = sig type 'a tag class ['a] c : object ('b) method is_empty : bool method mem : 'a -> bool method add : 'a -> 'b method union : 'b -> 'b method iter : ('a -> unit) -> unit method tag : 'a tag end end;;
module Set : SET = struct let rec merge l1 l2 = match l1 with [] -> l2 | h1 :: t1 -> match l2 with [] -> l1 | h2 :: t2 -> if h1 < h2 then h1 :: merge t1 l2 else if h1 > h2 then h2 :: merge l1 t2 else merge t1 l2 type 'a tag = 'a list class ['a] c = object (_ : 'b) val repr = ([] : 'a list) method is_empty = (repr = []) method mem x = List.exists (( = ) x) repr method add x = {< repr = merge [x] repr >} method union (s : 'b) = {< repr = merge repr s#tag >} method iter (f : 'a -> unit) = List.iter f repr method tag = repr end end;;

5.3  The subject/observer pattern

The following example, known as the subject/observer pattern, is often presented in the literature as a difficult inheritance problem with inter-connected classes. The general pattern amounts to the definition a pair of two classes that recursively interact with one another.

The class observer has a distinguished method notify that requires two arguments, a subject and an event to execute an action.

class virtual ['subject, 'event] observer = object method virtual notify : 'subject -> 'event -> unit end;;
class virtual ['subject, 'event] observer : object method virtual notify : 'subject -> 'event -> unit end

The class subject remembers a list of observers in an instance variable, and has a distinguished method notify_observers to broadcast the message notify to all observers with a particular event e.

class ['observer, 'event] subject = object (self) val mutable observers = ([]:'observer list) method add_observer obs = observers <- (obs :: observers) method notify_observers (e : 'event) = List.iter (fun x -> x#notify self e) observers end;;
class ['a, 'event] subject : object ('b) constraint 'a = < notify : 'b -> 'event -> unit; .. > val mutable observers : 'a list method add_observer : 'a -> unit method notify_observers : 'event -> unit end

The difficulty usually lies in defining instances of the pattern above by inheritance. This can be done in a natural and obvious manner in OCaml, as shown on the following example manipulating windows.

type event = Raise | Resize | Move;;
type event = Raise | Resize | Move
let string_of_event = function Raise -> "Raise" | Resize -> "Resize" | Move -> "Move";;
val string_of_event : event -> string = <fun>
let count = ref 0;;
val count : int ref = {contents = 0}
class ['observer] window_subject = let id = count := succ !count; !count in object (self) inherit ['observer, event] subject val mutable position = 0 method identity = id method move x = position <- position + x; self#notify_observers Move method draw = Printf.printf "{Position = %d}\n" position; end;;
class ['a] window_subject : object ('b) constraint 'a = < notify : 'b -> event -> unit; .. > val mutable observers : 'a list val mutable position : int method add_observer : 'a -> unit method draw : unit method identity : int method move : int -> unit method notify_observers : event -> unit end
class ['subject] window_observer = object inherit ['subject, event] observer method notify s e = s#draw end;;
class ['a] window_observer : object constraint 'a = < draw : unit; .. > method notify : 'a -> event -> unit end

As can be expected, the type of window is recursive.

let window = new window_subject;;
val window : < notify : 'a -> event -> unit; _.. > window_subject as 'a = <obj>

However, the two classes of window_subject and window_observer are not mutually recursive.

let window_observer = new window_observer;;
val window_observer : < draw : unit; _.. > window_observer = <obj>
window#add_observer window_observer;;
- : unit = ()
window#move 1;;
{Position = 1} - : unit = ()

Classes window_observer and window_subject can still be extended by inheritance. For instance, one may enrich the subject with new behaviors and refine the behavior of the observer.

class ['observer] richer_window_subject = object (self) inherit ['observer] window_subject val mutable size = 1 method resize x = size <- size + x; self#notify_observers Resize val mutable top = false method raise = top <- true; self#notify_observers Raise method draw = Printf.printf "{Position = %d; Size = %d}\n" position size; end;;
class ['a] richer_window_subject : object ('b) constraint 'a = < notify : 'b -> event -> unit; .. > val mutable observers : 'a list val mutable position : int val mutable size : int val mutable top : bool method add_observer : 'a -> unit method draw : unit method identity : int method move : int -> unit method notify_observers : event -> unit method raise : unit method resize : int -> unit end
class ['subject] richer_window_observer = object inherit ['subject] window_observer as super method notify s e = if e <> Raise then s#raise; super#notify s e end;;
class ['a] richer_window_observer : object constraint 'a = < draw : unit; raise : unit; .. > method notify : 'a -> event -> unit end

We can also create a different kind of observer:

class ['subject] trace_observer = object inherit ['subject, event] observer method notify s e = Printf.printf "<Window %d <== %s>\n" s#identity (string_of_event e) end;;
class ['a] trace_observer : object constraint 'a = < identity : int; .. > method notify : 'a -> event -> unit end

and attach several observers to the same object:

let window = new richer_window_subject;;
val window : < notify : 'a -> event -> unit; _.. > richer_window_subject as 'a = <obj>
window#add_observer (new richer_window_observer);;
- : unit = ()
window#add_observer (new trace_observer);;
- : unit = ()
window#move 1; window#resize 2;;
<Window 1 <== Move> <Window 1 <== Raise> {Position = 1; Size = 1} {Position = 1; Size = 1} <Window 1 <== Resize> <Window 1 <== Raise> {Position = 1; Size = 3} {Position = 1; Size = 3} - : unit = ()

Previous Up Next ocaml-doc-4.05/ocaml.html/extn.html0000644000175000017500000056062713131636457016171 0ustar mehdimehdi Chapter 7  Language extensions Previous Up Next

Chapter 7  Language extensions

This chapter describes language extensions and convenience features that are implemented in OCaml, but not described in the OCaml reference manual.

7.1  Integer literals for types int32, int64 and nativeint

(Introduced in Objective Caml 3.07)

constant::= ...  
  int32-literal  
  int64-literal  
  nativeint-literal  
 
int32-literal::= integer-literal l  
 
int64-literal::= integer-literal L  
 
nativeint-literal::= integer-literal n

An integer literal can be followed by one of the letters l, L or n to indicate that this integer has type int32, int64 or nativeint respectively, instead of the default type int for integer literals. The library modules Int32[Int32], Int64[Int64] and Nativeint[Nativeint] provide operations on these integer types.

7.2  Recursive definitions of values

(Introduced in Objective Caml 1.00)

As mentioned in section 6.7.1, the let rec binding construct, in addition to the definition of recursive functions, also supports a certain class of recursive definitions of non-functional values, such as

let rec name1 = 1 ::  name2 and  name2 = 2 ::  name1 in  expr

which binds name1 to the cyclic list 1::2::1::2::…, and name2 to the cyclic list 2::1::2::1::…Informally, the class of accepted definitions consists of those definitions where the defined names occur only inside function bodies or as argument to a data constructor.

More precisely, consider the expression:

let rec name1 =  expr1 andand  namen =  exprn in  expr

It will be accepted if each one of expr1 …  exprn is statically constructive with respect to name1 …  namen, is not immediately linked to any of name1 …  namen, and is not an array constructor whose arguments have abstract type.

An expression e is said to be statically constructive with respect to the variables name1 …  namen if at least one of the following conditions is true:

An expression e is said to be immediately linked to the variable name in the following cases:

7.3  Lazy patterns

(Introduced in Objective Caml 3.11)

pattern::= ...  
  lazy pattern

The pattern lazy pattern matches a value v of type Lazy.t, provided pattern matches the result of forcing v with Lazy.force. A successful match of a pattern containing lazy sub-patterns forces the corresponding parts of the value being matched, even those that imply no test such as lazy value-name or lazy _. Matching a value with a pattern-matching where some patterns contain lazy sub-patterns may imply forcing parts of the value, even when the pattern selected in the end has no lazy sub-pattern.

For more information, see the description of module Lazy in the standard library ( Module Lazy).

7.4  Recursive modules

(Introduced in Objective Caml 3.07)

definition::= ...  
  module rec module-name :  module-type =  module-expr   { and module-name :  module-type =  module-expr }  
 
specification::= ...  
  module rec module-name :  module-type  { and module-name:  module-type }

Recursive module definitions, introduced by the module recand … construction, generalize regular module definitions module module-name =  module-expr and module specifications module module-name :  module-type by allowing the defining module-expr and the module-type to refer recursively to the module identifiers being defined. A typical example of a recursive module definition is:

    module rec A : sig
                     type t = Leaf of string | Node of ASet.t
                     val compare: t -> t -> int
                   end
                 = struct
                     type t = Leaf of string | Node of ASet.t
                     let compare t1 t2 =
                       match (t1, t2) with
                         (Leaf s1, Leaf s2) -> Pervasives.compare s1 s2
                       | (Leaf _, Node _) -> 1
                       | (Node _, Leaf _) -> -1
                       | (Node n1, Node n2) -> ASet.compare n1 n2
                   end
        and ASet : Set.S with type elt = A.t
                 = Set.Make(A)

It can be given the following specification:

    module rec A : sig
                     type t = Leaf of string | Node of ASet.t
                     val compare: t -> t -> int
                   end
        and ASet : Set.S with type elt = A.t

This is an experimental extension of OCaml: the class of recursive definitions accepted, as well as its dynamic semantics are not final and subject to change in future releases.

Currently, the compiler requires that all dependency cycles between the recursively-defined module identifiers go through at least one “safe” module. A module is “safe” if all value definitions that it contains have function types typexpr1 ->  typexpr2. Evaluation of a recursive module definition proceeds by building initial values for the safe modules involved, binding all (functional) values to fun _ -> raise Undefined_recursive_module. The defining module expressions are then evaluated, and the initial values for the safe modules are replaced by the values thus computed. If a function component of a safe module is applied during this computation (which corresponds to an ill-founded recursive definition), the Undefined_recursive_module exception is raised.

Note that, in the specification case, the module-types must be parenthesized if they use the with mod-constraint construct.

7.5  Private types

Private type declarations in module signatures, of the form type t = private ..., enable libraries to reveal some, but not all aspects of the implementation of a type to clients of the library. In this respect, they strike a middle ground between abstract type declarations, where no information is revealed on the type implementation, and data type definitions and type abbreviations, where all aspects of the type implementation are publicized. Private type declarations come in three flavors: for variant and record types (section 7.5.1), for type abbreviations (section 7.5.2), and for row types (section 7.5.3).

7.5.1  Private variant and record types

(Introduced in Objective Caml 3.07)

type-representation::= ...  
  = private [ | ] constr-decl  { | constr-decl }  
  = private record-decl

Values of a variant or record type declared private can be de-structured normally in pattern-matching or via the expr .  field notation for record accesses. However, values of these types cannot be constructed directly by constructor application or record construction. Moreover, assignment on a mutable field of a private record type is not allowed.

The typical use of private types is in the export signature of a module, to ensure that construction of values of the private type always go through the functions provided by the module, while still allowing pattern-matching outside the defining module. For example:

        module M : sig
                     type t = private A | B of int
                     val a : t
                     val b : int -> t
                   end
                 = struct
                     type t = A | B of int
                     let a = A
                     let b n = assert (n > 0); B n
                   end

Here, the private declaration ensures that in any value of type M.t, the argument to the B constructor is always a positive integer.

With respect to the variance of their parameters, private types are handled like abstract types. That is, if a private type has parameters, their variance is the one explicitly given by prefixing the parameter by a ‘+’ or a ‘-’, it is invariant otherwise.

7.5.2  Private type abbreviations

(Introduced in Objective Caml 3.11)

type-equation::= ...  
  = private typexpr

Unlike a regular type abbreviation, a private type abbreviation declares a type that is distinct from its implementation type typexpr. However, coercions from the type to typexpr are permitted. Moreover, the compiler “knows” the implementation type and can take advantage of this knowledge to perform type-directed optimizations. For ambiguity reasons, typexpr cannot be an object or polymorphic variant type, but a similar behaviour can be obtained through private row types.

The following example uses a private type abbreviation to define a module of nonnegative integers:

        module N : sig
                     type t = private int
                     val of_int: int -> t
                     val to_int: t -> int
                   end
                 = struct
                     type t = int
                     let of_int n = assert (n >= 0); n
                     let to_int n = n
                   end

The type N.t is incompatible with int, ensuring that nonnegative integers and regular integers are not confused. However, if x has type N.t, the coercion (x :> int) is legal and returns the underlying integer, just like N.to_int x. Deep coercions are also supported: if l has type N.t list, the coercion (l :> int list) returns the list of underlying integers, like List.map N.to_int l but without copying the list l.

Note that the coercion ( expr :>  typexpr ) is actually an abbreviated form, and will only work in presence of private abbreviations if neither the type of expr nor typexpr contain any type variables. If they do, you must use the full form ( expr :  typexpr1 :>  typexpr2 ) where typexpr1 is the expected type of expr. Concretely, this would be (x : N.t :> int) and (l : N.t list :> int list) for the above examples.

7.5.3  Private row types

(Introduced in Objective Caml 3.09)

type-equation::= ...  
  = private typexpr

Private row types are type abbreviations where part of the structure of the type is left abstract. Concretely typexpr in the above should denote either an object type or a polymorphic variant type, with some possibility of refinement left. If the private declaration is used in an interface, the corresponding implementation may either provide a ground instance, or a refined private type.

   module M : sig type c = private < x : int; .. > val o : c end =
     struct
       class c = object method x = 3 method y = 2 end
       let o = new c
     end

This declaration does more than hiding the y method, it also makes the type c incompatible with any other closed object type, meaning that only o will be of type c. In that respect it behaves similarly to private record types. But private row types are more flexible with respect to incremental refinement. This feature can be used in combination with functors.

   module F(X : sig type c = private < x : int; .. > end) =
     struct
       let get_x (o : X.c) = o#x
     end
   module G(X : sig type c = private < x : int; y : int; .. > end) =
     struct
       include F(X)
       let get_y (o : X.c) = o#y
     end

A polymorphic variant type [t], for example

   type t = [ `A of int | `B of bool ]

can be refined in two ways. A definition [u] may add new field to [t], and the declaration

  type u = private [> t]

will keep those new fields abstract. Construction of values of type [u] is possible using the known variants of [t], but any pattern-matching will require a default case to handle the potential extra fields. Dually, a declaration [u] may restrict the fields of [t] through abstraction: the declaration

  type v = private [< t > `A]

corresponds to private variant types. One cannot create a value of the private type [v], except using the constructors that are explicitly listed as present, (`A n) in this example; yet, when patter-matching on a [v], one should assume that any of the constructors of [t] could be present.

Similarly to abstract types, the variance of type parameters is not inferred, and must be given explicitly.

7.6  Local opens

(Introduced in OCaml 3.12, extended to patterns in 4.04)

expr::= ...  
  let open module-path in  expr  
  module-path .(  expr )  
 
pattern::= ...  
  module-path .(  pattern )

The expressions let open module-path in  expr and module-path.( expr) are strictly equivalent. On the pattern side, only the pattern module-path.( pattern) is available. These constructions locally open the module referred to by the module path module-path in the respective scope of the expression expr or pattern pattern.

Restricting opening to the scope of a single expression or pattern instead of a whole structure allows one to benefit from shorter syntax to refer to components of the opened module, without polluting the global scope. Also, this can make the code easier to read (the open statement is closer to where it is used) and to refactor (because the code fragment is more self-contained).

Local opens for delimited expressions or patterns

(Introduced in OCaml 4.02)

expr::= ...  
  module-path .[  expr ]  
  module-path .[|  expr |]  
  module-path .{  expr }  
  module-path .{<  expr >}  
 
pattern::= ...  
  module-path .[  pattern ]  
  module-path .[|  pattern |]  
  module-path .{  pattern }

When the body of a local open expression or pattern is delimited by [ ], [| |], or { }, the parentheses can be omitted. For expression, parentheses can also be omitted for {< >}. For example, module-path.[ expr] is equivalent to module-path.([ expr]), and module-path.[|  pattern |] is equivalent to module-path.([|  pattern |]).

7.7  Record and object notations

(Introduced in OCaml 3.12, object copy notation added in Ocaml 4.03)

pattern::= ...  
  { field  [= pattern]  { ; field  [= pattern] }  [; _ ] [;}  
 
expr::= ...  
  { field  [= expr]  { ; field  [= expr] }  [;}  
  { expr with  field  [= expr]  { ; field  [= expr] }  [;}  
  { < expr with  field  [= expr]  { ; field  [= expr] }  [;> }

In a record pattern, a record construction expression or an object copy expression, a single identifier id stands for id =  id, and a qualified identifier module-path .  id stands for module-path .  id =  id. For example, assuming the record type

          type point = { x: float; y: float }

has been declared, the following expressions are equivalent:

          let x = 1. and y = 2. in { x = x; y = y },
          let x = 1. and y = 2. in { x; y },
          let x = 1. and y = 2. in { x = x; y }

On the object side, all following methods are equivalent:

          object
            val x=0. val y=0. val z=0.
            method f_0 x y = {< x; y >}
            method f_1 x y = {< x = x; y >}
            method f_2 x y = {< x=x ; y = y >}
          end

Likewise, the following functions are equivalent:

          fun {x = x; y = y} -> x +. y
          fun {x; y} -> x +. y

Optionally, a record pattern can be terminated by ; _ to convey the fact that not all fields of the record type are listed in the record pattern and that it is intentional. By default, the compiler ignores the ; _ annotation. If warning 9 is turned on, the compiler will warn when a record pattern fails to list all fields of the corresponding record type and is not terminated by ; _. Continuing the point example above,

          fun {x} -> x +. 1.

will warn if warning 9 is on, while

          fun {x; _} -> x +. 1.

will not warn. This warning can help spot program points where record patterns may need to be modified after new fields are added to a record type.

7.8  Explicit polymorphic type annotations

(Introduced in OCaml 3.12)

let-binding::= ...  
  value-name :  poly-typexpr =  expr

Polymorphic type annotations in let-definitions behave in a way similar to polymorphic methods: they explicitly require the defined value to be polymorphic, and allow one to use this polymorphism in recursive occurrences (when using let rec). Note however that this is a normal polymorphic type, unifiable with any instance of itself.

There are two possible applications of this feature. One is polymorphic recursion:

        type 'a t = Leaf of 'a | Node of ('a * 'a) t
        let rec depth : 'a. 'a t -> 'b = function
            Leaf _ -> 1
          | Node x -> 1 + depth x

Note that 'b is not explicitly polymorphic here, and it will actually be unified with int.

The other application is to ensure that some definition is sufficiently polymorphic:

let id: 'a. 'a -> 'a = fun x -> x + 1;;
Error: This definition has type int -> int which is less general than 'a. 'a -> 'a

7.9  Locally abstract types

(Introduced in OCaml 3.12, short syntax added in 4.03)

parameter::= ...  
  ( type {typeconstr-name}+ )

The expression fun ( type typeconstr-name ) ->  expr introduces a type constructor named typeconstr-name which is considered abstract in the scope of the sub-expression, but then replaced by a fresh type variable. Note that contrary to what the syntax could suggest, the expression fun ( type typeconstr-name ) ->  expr itself does not suspend the evaluation of expr as a regular abstraction would. The syntax has been chosen to fit nicely in the context of function declarations, where it is generally used. It is possible to freely mix regular function parameters with pseudo type parameters, as in:

        let f = fun (type t) (foo : t list) -> ...

and even use the alternative syntax for declaring functions:

        let f (type t) (foo : t list) = ...

If several locally abstract types need to be introduced, it is possible to use the syntax fun ( type typeconstr-name1 …  typeconstr-namen ) ->  expr as syntactic sugar for fun ( type typeconstr-name1 ) ->-> fun ( type  typeconstr-namen ) ->  expr. For instance,

        let f = fun (type t u v) -> fun (foo : (t * u * v) list) -> ...
        let f' (type t u v) (foo : (t * u * v) list) = ...

This construction is useful because the type constructors it introduces can be used in places where a type variable is not allowed. For instance, one can use it to define an exception in a local module within a polymorphic function.

        let f (type t) () =
          let module M = struct exception E of t end in
          (fun x -> M.E x), (function M.E x -> Some x | _ -> None)

Here is another example:

        let sort_uniq (type s) (cmp : s -> s -> int) =
          let module S = Set.Make(struct type t = s let compare = cmp end) in
          fun l ->
            S.elements (List.fold_right S.add l S.empty)

It is also extremely useful for first-class modules (see section 7.10) and generalized algebraic datatypes (GADTs: see section 7.16).

Polymorphic syntax

(Introduced in OCaml 4.00)

let-binding::= ...  
  value-name : type  { typeconstr-name }+ .  typexpr =  expr  
 
class-field::= ...  
  method [privatemethod-name : type  { typeconstr-name }+ .  typexpr =  expr  
  method! [privatemethod-name : type  { typeconstr-name }+ .  typexpr =  expr

The (type typeconstr-name) syntax construction by itself does not make polymorphic the type variable it introduces, but it can be combined with explicit polymorphic annotations where needed. The above rule is provided as syntactic sugar to make this easier:

        let rec f : type t1 t2. t1 * t2 list -> t1 = ...

is automatically expanded into

        let rec f : 't1 't2. 't1 * 't2 list -> 't1 =
          fun (type t1) (type t2) -> (... : t1 * t2 list -> t1)

This syntax can be very useful when defining recursive functions involving GADTs, see the section 7.16 for a more detailed explanation.

The same feature is provided for method definitions. The method! form combines this extension with the “explicit overriding” extension described in section 7.14.

7.10  First-class modules

(Introduced in OCaml 3.12; pattern syntax and package type inference introduced in 4.00; structural comparison of package types introduced in 4.02.; fewer parens required starting from 4.05)

typexpr::= ...  
  (module package-type)  
 
module-expr::= ...  
  (val expr  [: package-type])  
 
expr::= ...  
  (module module-expr  [: package-type])  
 
pattern::= ...  
  (module module-name  [: package-type])  
 
package-type::= modtype-path  
  modtype-path with  package-constraint  { and package-constraint }  
 
package-constraint::= type typeconstr =  typexpr  
 

Modules are typically thought of as static components. This extension makes it possible to pack a module as a first-class value, which can later be dynamically unpacked into a module.

The expression ( module module-expr :  package-type ) converts the module (structure or functor) denoted by module expression module-expr to a value of the core language that encapsulates this module. The type of this core language value is ( module package-type ). The package-type annotation can be omitted if it can be inferred from the context.

Conversely, the module expression ( val expr :  package-type ) evaluates the core language expression expr to a value, which must have type module package-type, and extracts the module that was encapsulated in this value. Again package-type can be omitted if the type of expr is known. If the module expression is already parenthesized, like the arguments of functors are, no additional parens are needed: Map.Make(val key).

The pattern ( module module-name :  package-type ) matches a package with type package-type and binds it to module-name. It is not allowed in toplevel let bindings. Again package-type can be omitted if it can be inferred from the enclosing pattern.

The package-type syntactic class appearing in the ( module package-type ) type expression and in the annotated forms represents a subset of module types. This subset consists of named module types with optional constraints of a limited form: only non-parametrized types can be specified.

For type-checking purposes (and starting from OCaml 4.02), package types are compared using the structural comparison of module types.

In general, the module expression ( val expr :  package-type ) cannot be used in the body of a functor, because this could cause unsoundness in conjunction with applicative functors. Since OCaml 4.02, this is relaxed in two ways: if package-type does not contain nominal type declarations (i.e. types that are created with a proper identity), then this expression can be used anywhere, and even if it contains such types it can be used inside the body of a generative functor, described in section 7.23. It can also be used anywhere in the context of a local module binding let module module-name = ( val  expr1 :  package-type ) in  expr2.

Basic example

A typical use of first-class modules is to select at run-time among several implementations of a signature. Each implementation is a structure that we can encapsulate as a first-class module, then store in a data structure such as a hash table:

        module type DEVICE = sig ... end
        let devices : (string, (module DEVICE)) Hashtbl.t = Hashtbl.create 17

        module SVG = struct ... end
        let _ = Hashtbl.add devices "SVG" (module SVG : DEVICE)

        module PDF = struct ... end
        let _ = Hashtbl.add devices "PDF" (module PDF: DEVICE)

We can then select one implementation based on command-line arguments, for instance:

        module Device =
          (val (try Hashtbl.find devices (parse_cmdline())
                with Not_found -> eprintf "Unknown device %s\n"; exit 2)
           : DEVICE)

Alternatively, the selection can be performed within a function:

        let draw_using_device device_name picture =
          let module Device =
            (val (Hashtbl.find_devices device_name) : DEVICE)
          in
            Device.draw picture
Advanced examples

With first-class modules, it is possible to parametrize some code over the implementation of a module without using a functor.

        let sort (type s) (module Set : Set.S with type elt = s) l =
          Set.elements (List.fold_right Set.add l Set.empty)
        val sort : (module Set.S with type elt = 'a) -> 'a list -> 'a list

To use this function, one can wrap the Set.Make functor:

        let make_set (type s) cmp =
          let module S = Set.Make(struct
            type t = s
            let compare = cmp
          end) in
          (module S : Set.S with type elt = s)
        val make_set : ('a -> 'a -> int) -> (module Set.S with type elt = 'a)

7.11  Recovering the type of a module

(Introduced in OCaml 3.12)

module-type::= ...  
  module type of module-expr

The construction module type of module-expr expands to the module type (signature or functor type) inferred for the module expression module-expr. To make this module type reusable in many situations, it is intentionally not strengthened: abstract types and datatypes are not explicitly related with the types of the original module. For the same reason, module aliases in the inferred type are expanded.

A typical use, in conjunction with the signature-level include construct, is to extend the signature of an existing structure. In that case, one wants to keep the types equal to types in the original module. This can done using the following idiom.

        module type MYHASH = sig
          include module type of struct include Hashtbl end
          val replace: ('a, 'b) t -> 'a -> 'b -> unit
        end

The signature MYHASH then contains all the fields of the signature of the module Hashtbl (with strengthened type definitions), plus the new field replace. An implementation of this signature can be obtained easily by using the include construct again, but this time at the structure level:

        module MyHash : MYHASH = struct
          include Hashtbl
          let replace t k v = remove t k; add t k v
        end

Another application where the absence of strengthening comes handy, is to provide an alternative implementation for an existing module.

        module MySet : module type of Set = struct
          ...
        end

This idiom guarantees that Myset is compatible with Set, but allows it to represent sets internally in a different way.

7.12  Substituting inside a signature

(Introduced in OCaml 3.12)

mod-constraint::= ...  
  type [type-params]  typeconstr-name :=  typexpr  
  module module-name :=  extended-module-path

“Destructive” substitution (with ... := ...) behaves essentially like normal signature constraints (with ... = ...), but it additionally removes the redefined type or module from the signature. There are a number of restrictions: one can only remove types and modules at the outermost level (not inside submodules), and in the case of with type the definition must be another type constructor with the same type parameters.

A natural application of destructive substitution is merging two signatures sharing a type name.

module type Printable = sig type t val print : Format.formatter -> t -> unit end module type Comparable = sig type t val compare : t -> t -> int end module type PrintableComparable = sig include Printable include Comparable with type t := t end;;

One can also use this to completely remove a field:

module type S = Comparable with type t := int;;
module type S = sig val compare : int -> int -> int end

or to rename one:

module type S = sig type u include Comparable with type t := u end;;
module type S = sig type u val compare : u -> u -> int end

Note that you can also remove manifest types, by substituting with the same type.

module type ComparableInt = Comparable with type t = int ;;
module type ComparableInt = sig type t = int val compare : t -> t -> int end
module type CompareInt = ComparableInt with type t := int ;;
module type CompareInt = sig val compare : int -> int -> int end

7.13  Type-level module aliases

(Introduced in OCaml 4.02)

specification::= ...  
  module module-name =  module-path

The above specification, inside a signature, only matches a module definition equal to module-path. Conversely, a type-level module alias can be matched by itself, or by any supertype of the type of the module it references.

There are several restrictions on module-path:

  1. it should be of the form M0.M1...Mn (i.e. without functor applications);
  2. inside the body of a functor, M0 should not be one of the functor parameters;
  3. inside a recursive module definition, M0 should not be one of the recursively defined modules.

Such specifications are also inferred. Namely, when P is a path satisfying the above constraints,

module N = P;;

has type

module N = P

Type-level module aliases are used when checking module path equalities. That is, in a context where module name N is known to be an alias for P, not only these two module paths check as equal, but F (N) and F (P) are also recognized as equal. In the default compilation mode, this is the only difference with the previous approach of module aliases having just the same module type as the module they reference.

When the compiler flag -no-alias-deps is enabled, type-level module aliases are also exploited to avoid introducing dependencies between compilation units. Namely, a module alias referring to a module inside another compilation unit does not introduce a link-time dependency on that compilation unit, as long as it is not dereferenced; it still introduces a compile-time dependency if the interface needs to be read, i.e. if the module is a submodule of the compilation unit, or if some type components are referred to. Additionally, accessing a module alias introduces a link-time dependency on the compilation unit containing the module referenced by the alias, rather than the compilation unit containing the alias. Note that these differences in link-time behavior may be incompatible with the previous behavior, as some compilation units might not be extracted from libraries, and their side-effects ignored.

These weakened dependencies make possible to use module aliases in place of the -pack mechanism. Suppose that you have a library Mylib composed of modules A and B. Using -pack, one would issue the command line

  ocamlc -pack a.cmo b.cmo -o mylib.cmo

and as a result obtain a Mylib compilation unit, containing physically A and B as submodules, and with no dependencies on their respective compilation units. Here is a concrete example of a possible alternative approach:

  1. Rename the files containing A and B to Mylib_A and Mylib_B.
  2. Create a packing interface Mylib.ml, containing the following lines.
        module A = Mylib_A
        module B = Mylib_B
    
  3. Compile Mylib.ml using -no-alias-deps, and the other files using -no-alias-deps and -open Mylib (the last one is equivalent to adding the line open! Mylib at the top of each file).
        ocamlc -c -no-alias-deps Mylib.ml
        ocamlc -c -no-alias-deps -open Mylib Mylib_*.mli Mylib_*.ml
    
  4. Finally, create a library containing all the compilation units, and export all the compiled interfaces.
        ocamlc -a Mylib*.cmo -o Mylib.cma
    

This approach lets you access A and B directly inside the library, and as Mylib.A and Mylib.B from outside. It also has the advantage that Mylib is no longer monolithic: if you use Mylib.A, only Mylib_A will be linked in, not Mylib_B.

7.14  Explicit overriding in class definitions

(Introduced in OCaml 3.12)

class-field::= ...  
   inherit! class-expr  [as lowercase-ident]  
   val! [mutableinst-var-name  [: typexpr=  expr  
   method! [privatemethod-name  {parameter}  [: typexpr=  expr  
   method! [privatemethod-name :  poly-typexpr =  expr

The keywords inherit!, val! and method! have the same semantics as inherit, val and method, but they additionally require the definition they introduce to be an overriding. Namely, method! requires method-name to be already defined in this class, val! requires inst-var-name to be already defined in this class, and inherit! requires class-expr to override some definitions. If no such overriding occurs, an error is signaled.

As a side-effect, these 3 keywords avoid the warnings 7 (method override) and 13 (instance variable override). Note that warning 7 is disabled by default.

7.15  Overriding in open statements

(Introduced in OCaml 4.01)

definition::= ...  
   open! module-path  
 
specification::= ...  
   open! module-path  
 
expr::= ...  
  let open! module-path in  expr

Since OCaml 4.01, open statements shadowing an existing identifier (which is later used) trigger the warning 44. Adding a ! character after the open keyword indicates that such a shadowing is intentional and should not trigger the warning.

7.16  Generalized algebraic datatypes

(Introduced in OCaml 4.00)

constr-decl::= ...  
  constr-name :  [ constr-args -> ]  typexpr  
 
type-param::= ...  
  [variance_

Generalized algebraic datatypes, or GADTs, extend usual sum types in two ways: constraints on type parameters may change depending on the value constructor, and some type variables may be existentially quantified. Adding constraints is done by giving an explicit return type (the rightmost typexpr in the above syntax), where type parameters are instantiated. This return type must use the same type constructor as the type being defined, and have the same number of parameters. Variables are made existential when they appear inside a constructor’s argument, but not in its return type.

Since the use of a return type often eliminates the need to name type parameters in the left-hand side of a type definition, one can replace them with anonymous types _ in that case.

The constraints associated to each constructor can be recovered through pattern-matching. Namely, if the type of the scrutinee of a pattern-matching contains a locally abstract type, this type can be refined according to the constructor used. These extra constraints are only valid inside the corresponding branch of the pattern-matching. If a constructor has some existential variables, fresh locally abstract types are generated, and they must not escape the scope of this branch.

Recursive functions

Here is a concrete example:

        type _ term =
          | Int : int -> int term
          | Add : (int -> int -> int) term
          | App : ('b -> 'a) term * 'b term -> 'a term

        let rec eval : type a. a term -> a = function
          | Int n    -> n                 (* a = int *)
          | Add      -> (fun x y -> x+y)  (* a = int -> int -> int *)
          | App(f,x) -> (eval f) (eval x)
                  (* eval called at types (b->a) and b for fresh b *)

        let two = eval (App (App (Add, Int 1), Int 1))
        val two : int = 2

It is important to remark that the function eval is using the polymorphic syntax for locally abstract types. When defining a recursive function that manipulates a GADT, explicit polymorphic recursion should generally be used. For instance, the following definition fails with a type error:

        let rec eval (type a) : a term -> a = function
          | Int n    -> n
          | Add      -> (fun x y -> x+y)
          | App(f,x) -> (eval f) (eval x)
(*                            ^
   Error: This expression has type ($App_'b -> a) term but an expression was
   expected of type 'a
   The type constructor $App_'b would escape its scope
*)

In absence of an explicit polymorphic annotation, a monomorphic type is inferred for the recursive function. If a recursive call occurs inside the function definition at a type that involves an existential GADT type variable, this variable flows to the type of the recursive function, and thus escapes its scope. In the above example, this happens in the branch App(f,x) when eval is called with f as an argument. In this branch, the type of f is ($App_ 'b-> a). The prefix $ in $App_ 'b denotes an existential type named by the compiler (see 7.16). Since the type of eval is 'a term -> 'a, the call eval f makes the existential type $App_'b flow to the type variable 'a and escape its scope. This triggers the above error.

Type inference

Type inference for GADTs is notoriously hard. This is due to the fact some types may become ambiguous when escaping from a branch. For instance, in the Int case above, n could have either type int or a, and they are not equivalent outside of that branch. As a first approximation, type inference will always work if a pattern-matching is annotated with types containing no free type variables (both on the scrutinee and the return type). This is the case in the above example, thanks to the type annotation containing only locally abstract types.

In practice, type inference is a bit more clever than that: type annotations do not need to be immediately on the pattern-matching, and the types do not have to be always closed. As a result, it is usually enough to only annotate functions, as in the example above. Type annotations are propagated in two ways: for the scrutinee, they follow the flow of type inference, in a way similar to polymorphic methods; for the return type, they follow the structure of the program, they are split on functions, propagated to all branches of a pattern matching, and go through tuples, records, and sum types. Moreover, the notion of ambiguity used is stronger: a type is only seen as ambiguous if it was mixed with incompatible types (equated by constraints), without type annotations between them. For instance, the following program types correctly.

        let rec sum : type a. a term -> _ = fun x ->
          let y =
            match x with
            | Int n -> n
            | Add   -> 0
            | App(f,x) -> sum f + sum x
          in y + 1
        val sum : 'a term -> int = <fun>

Here the return type int is never mixed with a, so it is seen as non-ambiguous, and can be inferred. When using such partial type annotations we strongly suggest specifying the -principal mode, to check that inference is principal.

The exhaustiveness check is aware of GADT constraints, and can automatically infer that some cases cannot happen. For instance, the following pattern matching is correctly seen as exhaustive (the Add case cannot happen).

        let get_int : int term -> int = function
          | Int n    -> n
          | App(_,_) -> 0
Refutation cases and redundancy

(Introduced in OCaml 4.03)

Usually, the exhaustiveness check only tries to check whether the cases omitted from the pattern matching are typable or not. However, you can force it to try harder by adding refutation cases:

matching-case::= pattern  [when expr->  expr  
  pattern -> .

In presence of a refutation case, the exhaustiveness check will first compute the intersection of the pattern with the complement of the cases preceding it. It then checks whether the resulting patterns can really match any concrete values by trying to type-check them. Wild cards in the generated patterns are handled in a special way: if their type is a variant type with only GADT constructors, then the pattern is split into the different constructors, in order to check whether any of them is possible (this splitting is not done for arguments of these constructors, to avoid non-termination.) We also split tuples and variant types with only one case, since they may contain GADTs inside. For instance, the following code is deemed exhaustive:

        type _ t =
          | Int : int t
          | Bool : bool t

        let deep : (char t * int) option -> char = function
          | None -> 'c'
          | _ -> .

Namely, the inferred remaining case is Some _, which is split into Some (Int, _) and Some (Bool, _), which are both untypable. Note that the refutation case could be omitted here, because it is automatically added when there is only one case in the pattern matching.

Another addition is that the redundancy check is now aware of GADTs: a case will be detected as redundant if it could be replaced by a refutation case using the same pattern.

Advanced examples

The term type we have defined above is an indexed type, where a type parameter reflects a property of the value contents. Another use of GADTs is singleton types, where a GADT value represents exactly one type. This value can be used as runtime representation for this type, and a function receiving it can have a polytypic behavior.

Here is an example of a polymorphic function that takes the runtime representation of some type t and a value of the same type, then pretty-prints the value as a string:

        type _ typ =
          | Int : int typ
          | String : string typ
          | Pair : 'a typ * 'b typ -> ('a * 'b) typ

        let rec to_string: type t. t typ -> t -> string =
          fun t x ->
          match t with
          | Int -> string_of_int x
          | String -> Printf.sprintf "%S" x
          | Pair(t1,t2) ->
              let (x1, x2) = x in
              Printf.sprintf "(%s,%s)" (to_string t1 x1) (to_string t2 x2)

Another frequent application of GADTs is equality witnesses.

        type (_,_) eq = Eq : ('a,'a) eq

        let cast : type a b. (a,b) eq -> a -> b = fun Eq x -> x

Here type eq has only one constructor, and by matching on it one adds a local constraint allowing the conversion between a and b. By building such equality witnesses, one can make equal types which are syntactically different.

Here is an example using both singleton types and equality witnesses to implement dynamic types.

        let rec eq_type : type a b. a typ -> b typ -> (a,b) eq option =
          fun a b ->
          match a, b with
          | Int, Int -> Some Eq
          | String, String -> Some Eq
          | Pair(a1,a2), Pair(b1,b2) ->
              begin match eq_type a1 b1, eq_type a2 b2 with
              | Some Eq, Some Eq -> Some Eq
              | _ -> None
              end
          | _ -> None

        type dyn = Dyn : 'a typ * 'a -> dyn

        let get_dyn : type a. a typ -> dyn -> a option =
          fun a (Dyn(b,x)) ->
          match eq_type a b with
          | None -> None
          | Some Eq -> Some x
Existential type names in error messages

(Updated in OCaml 4.03.0)

The typing of pattern matching in presence of GADT can generate many existential types. When necessary, error messages refer to these existential types using compiler-generated names. Currently, the compiler generates these names according to the following nomenclature:

As shown by the last item, the current behavior is imperfect and may be improved in future versions.

Equations on non-local abstract types

(Introduced in OCaml 4.04)

GADT pattern-matching may also add type equations to non-local abstract types. The behaviour is the same as with local abstract types. Reusing the above eq type, one can write:

        module M : sig type t val x : t val e : (t,int) eq end = struct
          type t = int
          let x = 33
          let e = Eq
        end

        let x : int = let Eq = M.e in M.x

Of course, not all abstract types can be refined, as this would contradict the exhaustiveness check. Namely, builtin types (those defined by the compiler itself, such as int or array), and abstract types defined by the local module, are non-instantiable, and as such cause a type error rather than introduce an equation.

7.17  Syntax for Bigarray access

(Introduced in Objective Caml 3.00)

expr::= ...  
  expr .{  expr  { , expr } }  
  expr .{  expr  { , expr } } <-  expr

This extension provides syntactic sugar for getting and setting elements in the arrays provided by the Bigarray[Bigarray] library.

The short expressions are translated into calls to functions of the Bigarray module as described in the following table.

expressiontranslation
expr0.{ expr1}Bigarray.Array1.get expr0  expr1
expr0.{ expr1} <- exprBigarray.Array1.set expr0  expr1  expr
expr0.{ expr1,  expr2}Bigarray.Array2.get expr0  expr1  expr2
expr0.{ expr1,  expr2} <- exprBigarray.Array2.set expr0  expr1  expr2  expr
expr0.{ expr1,  expr2,  expr3}Bigarray.Array3.get expr0  expr1  expr2  expr3
expr0.{ expr1,  expr2,  expr3} <- exprBigarray.Array3.set expr0  expr1  expr2  expr3  expr
expr0.{ expr1,,  exprn}Bigarray.Genarray.get expr0 [|  expr1,,  exprn |]
expr0.{ expr1,,  exprn} <- exprBigarray.Genarray.set expr0 [|  expr1,,  exprn |]  expr

The last two entries are valid for any n > 3.

7.18  Attributes

(Introduced in OCaml 4.02, infix notations for constructs other than expressions added in 4.03)

Attributes are “decorations” of the syntax tree which are mostly ignored by the type-checker but can be used by external tools. An attribute is made of an identifier and a payload, which can be a structure, a type expression (prefixed with :), a signature (prefixed with :) or a pattern (prefixed with ?) optionally followed by a when clause:

attr-id::= lowercase-ident  
   capitalized-ident  
   attr-id .  attr-id  
 
attr-payload::=module-items ]  
   : typexpr  
   : [ specification ]  
   ? pattern  [when expr]  
 

The first form of attributes is attached with a postfix notation on “algebraic” categories:

attribute::= [@ attr-id  attr-payload ]  
 
expr::= ...  
  expr  attribute  
 
typexpr::= ...  
  typexpr  attribute  
 
pattern::= ...  
  pattern  attribute  
 
module-expr::= ...  
  module-expr  attribute  
 
module-type::= ...  
  module-type  attribute  
 
class-expr::= ...  
  class-expr  attribute  
 
class-type::= ...  
  class-type  attribute  
 

This form of attributes can also be inserted after the `tag-name in polymorphic variant type expressions (tag-spec-first, tag-spec, tag-spec-full) or after the method-name in method-type.

The same syntactic form is also used to attach attributes to labels and constructors in type declarations:

field-decl::= [mutablefield-name :  poly-typexpr  {attribute}  
 
constr-decl::= (constr-name ∣  ()) [ of constr-args ]  {attribute}  
 

Note: when a label declaration is followed by a semi-colon, attributes can also be put after the semi-colon (in which case they are merged to those specified before).

The second form of attributes are attached to “blocks” such as type declarations, class fields, etc:

item-attribute::= [@@ attr-id  attr-payload ]  
 
typedef::= ...  
  typedef  item-attribute  
 
exception-definition::= exception constr-decl  
  exception constr-name =  constr  
 
module-items::= [;;] ( definition ∣  expr  { item-attribute } )  { [;;definition ∣  ;; expr  { item-attribute } }  [;;]  
 
class-binding::= ...  
  class-binding  item-attribute  
 
class-spec::= ...  
  class-spec  item-attribute  
 
classtype-def::= ...  
  classtype-def  item-attribute  
 
definition::= let [reclet-binding  { and let-binding }  
  external value-name :  typexpr =  external-declaration  { item-attribute }  
  type-definition  
  exception-definition  { item-attribute }  
  class-definition  
  classtype-definition  
  module module-name  { ( module-name :  module-type ) }  [ : module-type ]  =  module-expr  { item-attribute }  
  module type modtype-name =  module-type  { item-attribute }  
  open module-path  { item-attribute }  
  include module-expr  { item-attribute }  
  module rec module-name :  module-type =   module-expr  { item-attribute }   { and module-name :  module-type =  module-expr   { item-attribute } }  
 
specification::= val value-name :  typexpr  { item-attribute }  
  external value-name :  typexpr =  external-declaration  { item-attribute }  
  type-definition  
  exception constr-decl  { item-attribute }  
  class-specification  
  classtype-definition  
  module module-name :  module-type  { item-attribute }  
  module module-name  { ( module-name :  module-type ) } :  module-type  { item-attribute }  
  module type modtype-name  { item-attribute }  
  module type modtype-name =  module-type  { item-attribute }  
  open module-path  { item-attribute }  
  include module-type  { item-attribute }  
 
class-field-spec::= ...  
  class-field-spec  item-attribute  
 
class-field::= ...  
  class-field  item-attribute  
 

A third form of attributes appears as stand-alone structure or signature items in the module or class sub-languages. They are not attached to any specific node in the syntax tree:

floating-attribute::= [@@@ attr-id  attr-payload ]  
 
definition::= ...  
  floating-attribute  
 
specification::= ...  
  floating-attribute  
 
class-field-spec::= ...  
  floating-attribute  
 
class-field::= ...  
  floating-attribute  
 

(Note: contrary to what the grammar above describes, item-attributes cannot be attached to these floating attributes in class-field-spec and class-field.)

It is also possible to specify attributes using an infix syntax. For instance:

let[@foo] x = 2 in x + 1          === (let x = 2 [@@foo] in x + 1)
begin[@foo][@bar x] ... end       === (begin ... end)[@foo][@@bar x]
module[@foo] M = ...              === module M = ... [@@foo]
type[@foo] t = T                  === type t = T [@@foo]
method[@foo] m = ...              === method m = ... [@@foo]

For let, the attributes are applied to each bindings:

let[@foo] x = 2 and y = 3 in x + y === (let x = 2 [@@foo] and y = 3 in x + y)
let[@foo] x = 2
and[@bar] y = 3 in x + y           === (let x = 2 [@@foo] and y = 3 [@bar] in x + y)

7.18.1  Built-in attributes

Some attributes are understood by the type-checker:

module X = struct
  [@@@warning "+9"]  (* locally enable warning 9 in this structure *)
  ...
end
  [@@deprecated "Please use module 'Y' instead."]

let x = begin[@warning "+9"] ... end in ....

type t = A | B
  [@@deprecated "Please use type 's' instead."]

let f x =
  assert (x >= 0) [@ppwarning "TODO: remove this later"];

let rec no_op = function
  | [] -> ()
  | _ :: q -> (no_op[@tailcall]) q;;

let f x = x [@@inline]

let () = (f[@inlined]) ()

type fragile =
  | Int of int [@warn_on_literal_pattern]
  | String of string [@warn_on_literal_pattern]

let f = function
| Int 0 | String "constant" -> () (* trigger warning 52 *)
| _ -> ()

module Immediate: sig
  type t [@@immediate]
  val x: t ref
end = struct
  type t = A | B
  let x = ref 0
end
  ....

7.19  Extension nodes

(Introduced in OCaml 4.02, infix notations for constructs other than expressions added in 4.03, infix notation (e1 ;%ext e2) added in 4.04. )

Extension nodes are generic placeholders in the syntax tree. They are rejected by the type-checker and are intended to be “expanded” by external tools such as -ppx rewriters.

Extension nodes share the same notion of identifier and payload as attributes 7.18.

The first form of extension node is used for “algebraic” categories:

extension::= [% attr-id  attr-payload ]  
 
expr::= ...  
  extension  
 
typexpr::= ...  
  extension  
 
pattern::= ...  
  extension  
 
module-expr::= ...  
  extension  
 
module-type::= ...  
  extension  
 
class-expr::= ...  
  extension  
 
class-type::= ...  
  extension  
 

A second form of extension node can be used in structures and signatures, both in the module and object languages:

item-extension::= [%% attr-id  attr-payload ]  
 
definition::= ...  
  item-extension  
 
specification::= ...  
  item-extension  
 
class-field-spec::= ...  
  item-extension  
 
class-field::=  
  item-extension  
 

An infix form is available for extension nodes when the payload is of the same kind (expression with expression, pattern with pattern ...).

Examples:

let%foo x = 2 in x + 1     === [%foo let x = 2 in x + 1]
begin%foo ... end          === [%foo begin ... end]
x ;%foo 2                  === [%foo x; 2]
module%foo M = ..          === [%%foo module M = ... ]
val%foo x : t              === [%%foo: val x : t]

When this form is used together with the infix syntax for attributes, the attributes are considered to apply to the payload:

fun%foo[@bar] x -> x + 1 === [%foo (fun x -> x + 1)[@foo ] ];

7.19.1  Built-in extension nodes

(Introduced in OCaml 4.03)

Some extension nodes are understood by the compiler itself:

type t = .. type t += X of int | Y of string let x = [%extension_constructor X] let y = [%extension_constructor Y];;
x <> y;;
- : bool = true

7.20  Quoted strings

(Introduced in OCaml 4.02)

Quoted strings {foo|...|foo} provide a different lexical syntax to write string literals in OCaml code. They are useful to represent strings of arbitrary content without escaping – as long as the delimiter you chose (here |foo}) does not occur in the string itself.

string-literal::= ...  
   { quoted-string-id |  ........ |  quoted-string-id }  
 
quoted-string-id::=a...z ∣  _ }  
 

The opening delimiter has the form {id| where id is a (possibly empty) sequence of lowercase letters and underscores. The corresponding closing delimiter is |id} (with the same identifier). Unlike regular OCaml string literals, quoted strings do not interpret any character in a special way.

Example:

String.length {|\"|}         (* returns 2 *)
String.length {foo|\"|foo}   (* returns 2 *)

Quoted strings are interesting in particular in conjunction to extension nodes [%foo ...] (see 7.19) to embed foreign syntax fragments to be interpreted by a preprocessor and turned into OCaml code: you can use [%sql {|...|}] for example to represent arbitrary SQL statements – assuming you have a ppx-rewriter that recognizes the %sql extension – without requiring escaping quotes.

Note that the non-extension form, for example {sql|...|sql}, should not be used for this purpose, as the user cannot see in the code that this string literal has a different semantics than they expect, and giving a semantics to a specific delimiter limits the freedom to change the delimiter to avoid escaping issues.

7.21  Exception cases in pattern matching

(Introduced in OCaml 4.02)

A new form of exception patterns is allowed, only as a toplevel pattern under a match...with pattern-matching (other occurrences are rejected by the type-checker).

pattern::= ...  
  exception pattern  
 

Cases with such a toplevel pattern are called “exception cases”, as opposed to regular “value cases”. Exception cases are applied when the evaluation of the matched expression raises an exception. The exception value is then matched against all the exception cases and re-raised if none of them accept the exception (as for a try...with block). Since the bodies of all exception and value cases is outside the scope of the exception handler, they are all considered to be in tail-position: if the match...with block itself is in tail position in the current function, any function call in tail position in one of the case bodies results in an actual tail call.

It is an error if all cases are exception cases in a given pattern matching.

7.22  Extensible variant types

(Introduced in OCaml 4.02)

type-representation::= ...  
  = ..  
 
specification::= ...  
  type [type-params]  typeconstr  type-extension-spec  
 
definition::= ...  
  type [type-params]  typeconstr  type-extension-def  
 
type-extension-spec::= += [private] [|constr-decl  { | constr-decl }  
 
type-extension-def::= += [private] [|constr-def  { | constr-def }  
 
constr-def::= constr-decl  
  constr-name =  constr  
 

Extensible variant types are variant types which can be extended with new variant constructors. Extensible variant types are defined using ... New variant constructors are added using +=.

        type attr = ..

        type attr += Str of string

        type attr +=
          | Int of int
          | Float of float

Pattern matching on an extensible variant type requires a default case to handle unknown variant constructors:

        let to_string = function
          | Str s -> s
          | Int i -> string_of_int i
          | Float f -> string_of_float f
          | _ -> "?"

A preexisting example of an extensible variant type is the built-in exn type used for exceptions. Indeed, exception constructors can be declared using the type extension syntax:

        type exn += Exc of int

Extensible variant constructors can be rebound to a different name. This allows exporting variants from another module.

        type Expr.attr += Str = Expr.Str

Extensible variant constructors can be declared private. As with regular variants, this prevents them from being constructed directly by constructor application while still allowing them to be de-structured in pattern-matching.

7.23  Generative functors

(Introduced in OCaml 4.02)

module-expr::= ...  
  functor () -> module-expr  
  module-expr ()  
 
definition::= ...  
  module module-name  { ( module-name :  module-type ) ∣  () } [ : module-type ]  =  module-expr  
 
module-type::= ...  
  functor () -> module-type  
 
specification::= ...  
  module module-name  { ( module-name :  module-type ) ∣  () } : module-type  
 

A generative functor takes a unit () argument. In order to use it, one must necessarily apply it to this unit argument, ensuring that all type components in the result of the functor behave in a generative way, i.e. they are different from types obtained by other applications of the same functor. This is equivalent to taking an argument of signature sig end, and always applying to struct end, but not to some defined module (in the latter case, applying twice to the same module would return identical types).

As a side-effect of this generativity, one is allowed to unpack first-class modules in the body of generative functors.

7.24  Extension-only syntax

(Introduced in OCaml 4.02.2, extended in 4.03)

Some syntactic constructions are accepted during parsing and rejected during type checking. These syntactic constructions can therefore not be used directly in vanilla OCaml. However, -ppx rewriters and other external tools can exploit this parser leniency to extend the language with these new syntactic constructions by rewriting them to vanilla constructions.

7.24.1  Extension operators

(Introduced in OCaml 4.02.2)

infix-symbol::= ...  
  # {operator-chars#   {operator-char | #}  
 

Operator names starting with a # character and containing more than one # character are reserved for extensions.

7.24.2  Extension literals

(Introduced in OCaml 4.03)

float-literal::= ...  
  [-] (09) { 09∣ _ } [. { 09∣ _ }] [(e∣ E) [+∣ -] (09) { 09∣ _ }] [gz∣ GZ]  
  [-] (0x∣ 0X) (09∣ AF∣ af) { 09∣ AF∣ af∣ _ } [. { 09∣ AF∣ af∣ _ } [(p∣ P) [+∣ -] (09) { 09∣ _ }] [gz∣ GZ]  
 
int-literal::= ...  
  [-] (09) { 09 ∣  _ }[gz∣ GZ]  
  [-] (0x∣ 0X) (09∣ AF∣ af) { 09∣ AF∣ af∣ _ } [gz∣ GZ]  
  [-] (0o∣ 0O) (07) { 07∣ _ } [gz∣ GZ]  
  [-] (0b∣ 0B) (01) { 01∣ _ } [gz∣ GZ]  
 

Int and float literals followed by an one-letter identifier in the range [g..zG..Z] are extension-only literals.

7.25  Inline records

(Introduced in OCaml 4.03)

constr-args::= ...  
  record-decl  
 

The arguments of a sum-type constructors can now be defined using the same syntax as records. Mutable and polymorphic fields are allowed. GADT syntax is supported. Attributes can be specified on individual fields.

Syntactically, building or matching constructors with such an inline record argument is similar to working with a unary constructor whose unique argument is a declared record type. A pattern can bind the inline record as a pseudo-value, but the record cannot escape the scope of the binding and can only be used with the dot-notation to extract or modify fields or to build new constructor values.

type t =
  | Point of {width: int; mutable x: float; mutable y: float}
  | ...

let v = Point {width = 10; x = 0.; y = 0.}

let scale l = function
  | Point p -> Point {p with x = l *. p.x; y = l *. p.y}
  | ....

let print = function
  | Point {x; y; _} -> Printf.printf "%f/%f" x y
  | ....

let reset = function
  | Point p -> p.x <- 0.; p.y <- 0.
  | ...

let invalid = function
  | Point p -> p  (* INVALID *)
  | ...

7.26  Local exceptions

(Introduced in OCaml 4.04)

It is possible to define local exceptions in expressions:

expr::= ...  
  let exception constr-decl in  expr

The syntactic scope of the exception constructor is the inner expression, but nothing prevents exception values created with this constructor from escaping this scope. Two executions of the definition above result in two incompatible exception constructors (as for any exception definition).

7.27  Documentation comments

(Introduced in OCaml 4.03)

Comments which start with ** are treated specially by the compiler. They are automatically converted during parsing into attributes (see 7.18) to allow tools to process them as documentation.

Such comments can take three forms: floating comments, item comments and label comments. Any comment starting with ** which does not match one of these forms will cause the compiler to emit warning 50.

Comments which start with ** are also used by the ocamldoc documentation generator (see 15). The three comment forms recognised by the compiler are a subset of the forms accepted by ocamldoc (see 15.2).

7.27.1  Floating comments

Comments surrounded by blank lines that appear within structures, signatures, classes or class types are converted into floating-attributes. For example:

type t = T

(** Now some definitions for [t] *)

let mkT = T

will be converted to:

type t = T

[@@@ocaml.text " Now some definitions for [t] "]

let mkT = T

7.27.2  Item comments

Comments which appear immediately before or immediately after a structure item, signature item, class item or class type item are converted into item-attributes. Immediately before or immediately after means that there must be no blank lines, ;;, or other documentation comments between them. For example:

type t = T
(** A description of [t] *)

or

(** A description of [t] *)
type t = T

will be converted to:

type t = T
[@@ocaml.doc " A description of [t] "]

Note that, if a comment appears immediately next to multiple items, as in:

type t = T
(** An ambiguous comment *)
type s = S

then it will be attached to both items:

type t = T
[@@ocaml.doc " An ambiguous comment "]
type s = S
[@@ocaml.doc " An ambiguous comment "]

and the compiler will emit warning 50.

7.27.3  Label comments

Comments which appear immediately after a labelled argument, record field, variant constructor, object method or polymorphic variant constructor are are converted into attributes. Immediately after means that there must be no blank lines or other documentation comments between them. For example:

type t1 = lbl:int (** Labelled argument *) -> unit

type t2 = {
  fld: int; (** Record field *)
  fld2: float;
}

type t3 =
  | Cstr of string (** Variant constructor *)
  | Cstr2 of string

type t4 = < meth: int * int; (** Object method *) >

type t5 = [
  `PCstr (** Polymorphic variant constructor *)
]

will be converted to:

type t1 = lbl:(int [@ocaml.doc " Labelled argument "]) -> unit

type t2 = {
  fld: int [@ocaml.doc " Record field "];
  fld2: float;
}

type t3 =
  | Cstr of string [@ocaml.doc " Variant constructor "]
  | Cstr2 of string

type t4 = < meth : int * int [@ocaml.doc " Object method "] >

type t5 = [
  `PCstr [@ocaml.doc " Polymorphic variant constructor "]
]

Note that label comments take precedence over item comments, so:

type t = T of string
(** Attaches to T not t *)

will be converted to:

type t =  T of string [@ocaml.doc " Attaches to T not t "]

whilst:

type t = T of string
(** Attaches to T not t *)
(** Attaches to t *)

will be converted to:

type t =  T of string [@ocaml.doc " Attaches to T not t "]
[@@ocaml.doc " Attaches to t "]

In the absence of meaningful comment on the last constructor of a type, an empty comment (**) can be used instead:

type t = T of string
(**)
(** Attaches to t *)

will be converted directly to

type t =  T of string
[@@ocaml.doc " Attaches to t "]

Previous Up Next ocaml-doc-4.05/ocaml.html/manual001.html0000644000175000017500000011200413131636457016667 0ustar mehdimehdi Contents Up Next

Contents


Up Next ocaml-doc-4.05/ocaml.html/modules.html0000644000175000017500000005671313131636457016657 0ustar mehdimehdi 6.11  Module expressions (module implementations) Previous Up Next

6.11  Module expressions (module implementations)

Module expressions are the module-level equivalent of value expressions: they evaluate to modules, thus providing implementations for the specifications expressed in module types.

module-expr::= module-path  
  struct [ module-items ] end  
  functor ( module-name :  module-type ) ->  module-expr  
  module-expr (  module-expr )  
  ( module-expr )  
  ( module-expr :  module-type )  
 
module-items::= {;;} ( definition ∣  expr )  { {;;} ( definition ∣  ;; expr) }  {;;}  
 
definition::= let [reclet-binding  { and let-binding }  
  external value-name :  typexpr =  external-declaration  
  type-definition  
  exception-definition  
  class-definition  
  classtype-definition  
  module module-name  { ( module-name :  module-type ) }  [ : module-type ]  =  module-expr  
  module type modtype-name =  module-type  
  open module-path  
  include module-expr

See also the following language extensions: recursive modules, first-class modules, overriding in open statements, attributes, extension nodes and generative functors.

6.11.1  Simple module expressions

The expression module-path evaluates to the module bound to the name module-path.

The expression ( module-expr ) evaluates to the same module as module-expr.

The expression ( module-expr :  module-type ) checks that the type of module-expr is a subtype of module-type, that is, that all components specified in module-type are implemented in module-expr, and their implementation meets the requirements given in module-type. In other terms, it checks that the implementation module-expr meets the type specification module-type. The whole expression evaluates to the same module as module-expr, except that all components not specified in module-type are hidden and can no longer be accessed.

6.11.2  Structures

Structures structend are collections of definitions for value names, type names, exceptions, module names and module type names. The definitions are evaluated in the order in which they appear in the structure. The scopes of the bindings performed by the definitions extend to the end of the structure. As a consequence, a definition may refer to names bound by earlier definitions in the same structure.

For compatibility with toplevel phrases (chapter 9), optional ;; are allowed after and before each definition in a structure. These ;; have no semantic meanings. Similarly, an expr preceded by ;; is allowed as a component of a structure. It is equivalent to let _ = expr, i.e. expr is evaluated for its side-effects but is not bound to any identifier. If expr is the first component of a structure, the preceding ;; can be omitted.

Value definitions

A value definition let [rec] let-binding  { and let-binding } bind value names in the same way as a letin … expression (see section 6.7.1). The value names appearing in the left-hand sides of the bindings are bound to the corresponding values in the right-hand sides.

A value definition external value-name :  typexpr =  external-declaration implements value-name as the external function specified in external-declaration (see chapter 19).

Type definitions

A definition of one or several type components is written type typedef  { and typedef } and consists of a sequence of mutually recursive definitions of type names.

Exception definitions

Exceptions are defined with the syntax exception constr-decl or exception constr-name =  constr.

Class definitions

A definition of one or several classes is written class class-binding  { and class-binding } and consists of a sequence of mutually recursive definitions of class names. Class definitions are described more precisely in section 6.9.3.

Class type definitions

A definition of one or several classes is written class type classtype-def  { and classtype-def } and consists of a sequence of mutually recursive definitions of class type names. Class type definitions are described more precisely in section 6.9.5.

Module definitions

The basic form for defining a module component is module module-name =  module-expr, which evaluates module-expr and binds the result to the name module-name.

One can write

module module-name :  module-type =  module-expr

instead of

module module-name = (  module-expr :  module-type ).

Another derived form is

module module-name (  name1 :  module-type1 )(  namen :  module-typen ) =  module-expr

which is equivalent to

module module-name = functor (  name1 :  module-type1 ) ->->  module-expr

Module type definitions

A definition for a module type is written module type modtype-name =  module-type. It binds the name modtype-name to the module type denoted by the expression module-type.

Opening a module path

The expression open module-path in a structure does not define any components nor perform any bindings. It simply affects the parsing of the following items of the structure, allowing components of the module denoted by module-path to be referred to by their simple names name instead of path accesses module-path .  name. The scope of the open stops at the end of the structure expression.

Including the components of another structure

The expression include module-expr in a structure re-exports in the current structure all definitions of the structure denoted by module-expr. For instance, if the identifier S is bound to the module

        struct type t = int  let x = 2 end

the module expression

        struct include S  let y = (x + 1 : t) end

is equivalent to the module expression

        struct type t = S.t  let x = S.x  let y = (x + 1 : t) end

The difference between open and include is that open simply provides short names for the components of the opened structure, without defining any components of the current structure, while include also adds definitions for the components of the included structure.

6.11.3  Functors

Functor definition

The expression functor ( module-name :  module-type ) ->  module-expr evaluates to a functor that takes as argument modules of the type module-type1, binds module-name to these modules, evaluates module-expr in the extended environment, and returns the resulting modules as results. No restrictions are placed on the type of the functor argument; in particular, a functor may take another functor as argument (“higher-order” functor).

Functor application

The expression module-expr1 (  module-expr2 ) evaluates module-expr1 to a functor and module-expr2 to a module, and applies the former to the latter. The type of module-expr2 must match the type expected for the arguments of the functor module-expr1.


Previous Up Next ocaml-doc-4.05/ocaml.html/libnum.html0000644000175000017500000000463113131636457016465 0ustar mehdimehdi Chapter 27  The num library: arbitrary-precision rational arithmetic Previous Up Next

Chapter 27  The num library: arbitrary-precision rational arithmetic

The num library implements integer arithmetic and rational arithmetic in arbitrary precision.

More documentation on the functions provided in this library can be found in The CAML Numbers Reference Manual by Valérie Ménissier-Morain, technical report 141, INRIA, july 1992 (available electronically, http://hal.inria.fr/docs/00/07/00/27/PDF/RT-0141.pdf).

Programs that use the num library must be linked as follows:

        ocamlc other options nums.cma other files
        ocamlopt other options nums.cmxa other files

For interactive use of the nums library, do:

        ocamlmktop -o mytop nums.cma
        ./mytop

or (if dynamic linking of C libraries is supported on your platform), start ocaml and type #load "nums.cma";;.


Previous Up Next ocaml-doc-4.05/ocaml.html/lex.html0000644000175000017500000006620613131636457015775 0ustar mehdimehdi 6.1  Lexical conventions Up Next

6.1  Lexical conventions

Blanks

The following characters are considered as blanks: space, horizontal tabulation, carriage return, line feed and form feed. Blanks are ignored, but they separate adjacent identifiers, literals and keywords that would otherwise be confused as one single identifier, literal or keyword.

Comments

Comments are introduced by the two characters (*, with no intervening blanks, and terminated by the characters *), with no intervening blanks. Comments are treated as blank characters. Comments do not occur inside string or character literals. Nested comments are handled correctly.

Identifiers

ident::= ( letter ∣  _ ) { letter ∣  0 … 9 ∣  _ ∣  ' }  
 
capitalized-ident::= (A … Z) { letter ∣  0 … 9 ∣  _ ∣  ' }  
 
lowercase-ident::= (a … z ∣  _) { letter ∣  0 … 9 ∣  _ ∣  ' }  
 
letter::= A … Z ∣  a … z

Identifiers are sequences of letters, digits, _ (the underscore character), and ' (the single quote), starting with a letter or an underscore. Letters contain at least the 52 lowercase and uppercase letters from the ASCII set. The current implementation also recognizes as letters some characters from the ISO 8859-1 set (characters 192–214 and 216–222 as uppercase letters; characters 223–246 and 248–255 as lowercase letters). This feature is deprecated and should be avoided for future compatibility.

All characters in an identifier are meaningful. The current implementation accepts identifiers up to 16000000 characters in length.

In many places, OCaml makes a distinction between capitalized identifiers and identifiers that begin with a lowercase letter. The underscore character is considered a lowercase letter for this purpose.

Integer literals

integer-literal::= [-] (09) { 09 ∣  _ }  
  [-] (0x∣ 0X) (09∣ AF∣ af) { 09∣ AF∣ af∣ _ }  
  [-] (0o∣ 0O) (07) { 07∣ _ }  
  [-] (0b∣ 0B) (01) { 01∣ _ }

An integer literal is a sequence of one or more digits, optionally preceded by a minus sign. By default, integer literals are in decimal (radix 10). The following prefixes select a different radix:

PrefixRadix
0x, 0Xhexadecimal (radix 16)
0o, 0Ooctal (radix 8)
0b, 0Bbinary (radix 2)

(The initial 0 is the digit zero; the O for octal is the letter O.) The interpretation of integer literals that fall outside the range of representable integer values is undefined.

For convenience and readability, underscore characters (_) are accepted (and ignored) within integer literals.

Floating-point literals

float-literal::= [-] (09) { 09∣ _ } [. { 09∣ _ }] [(e∣ E) [+∣ -] (09) { 09∣ _ }]  
  [-] (0x∣ 0X) (09∣ AF∣ af) { 09∣ AF∣ af∣ _ } [. { 09∣ AF∣ af∣ _ } [(p∣ P) [+∣ -] (09) { 09∣ _ }]

Floating-point decimal literals consist in an integer part, a fractional part and an exponent part. The integer part is a sequence of one or more digits, optionally preceded by a minus sign. The fractional part is a decimal point followed by zero, one or more digits. The exponent part is the character e or E followed by an optional + or - sign, followed by one or more digits. It is interpreted as a power of 10. The fractional part or the exponent part can be omitted but not both, to avoid ambiguity with integer literals. The interpretation of floating-point literals that fall outside the range of representable floating-point values is undefined.

Floating-point hexadecimal literals are denoted with the 0x or 0X prefix. The syntax is similar to that of floating-point decimal literals, with the following differences. The integer part and the fractional part use hexadecimal digits. The exponent part starts with the character p or P. It is written in decimal and interpreted as a power of 2.

For convenience and readability, underscore characters (_) are accepted (and ignored) within floating-point literals.

Character literals

char-literal::= ' regular-char '  
  ' escape-sequence '  
 
escape-sequence::= \ ( \ ∣  " ∣  ' ∣  n ∣  t ∣  b ∣  r ∣  space )  
  \ (09) (09) (09)  
  \x (09∣ AF∣ af) (09∣ AF∣ af)  
  \o (03) (07) (07)

Character literals are delimited by ' (single quote) characters. The two single quotes enclose either one character different from ' and \, or one of the escape sequences below:

SequenceCharacter denoted
\\backslash (\)
\"double quote (")
\'single quote (')
\nlinefeed (LF)
\rcarriage return (CR)
\thorizontal tabulation (TAB)
\bbackspace (BS)
\spacespace (SPC)
\dddthe character with ASCII code ddd in decimal
\xhhthe character with ASCII code hh in hexadecimal
\oooothe character with ASCII code ooo in octal

String literals

string-literal::= " { string-character } "  
 
string-character::= regular-string-char  
  escape-sequence  
  \ newline  { space ∣  tab }

String literals are delimited by " (double quote) characters. The two double quotes enclose a sequence of either characters different from " and \, or escape sequences from the table given above for character literals.

To allow splitting long string literals across lines, the sequence \newline spaces-or-tabs (a backslash at the end of a line followed by any number of spaces and horizontal tabulations at the beginning of the next line) is ignored inside string literals.

The current implementation places practically no restrictions on the length of string literals.

Naming labels

To avoid ambiguities, naming labels in expressions cannot just be defined syntactically as the sequence of the three tokens ~, ident and :, and have to be defined at the lexical level.

label-name::= lowercase-ident  
 
label::= ~ label-name :  
 
optlabel::= ? label-name :

Naming labels come in two flavours: label for normal arguments and optlabel for optional ones. They are simply distinguished by their first character, either ~ or ?.

Despite label and optlabel being lexical entities in expressions, their expansions ~ label-name : and ? label-name : will be used in grammars, for the sake of readability. Note also that inside type expressions, this expansion can be taken literally, i.e. there are really 3 tokens, with optional blanks between them.

Prefix and infix symbols

infix-symbol::= (= ∣  < ∣  > ∣  @ ∣  ^ ∣  | ∣  & ∣  + ∣  - ∣  * ∣  / ∣  $ ∣  %) { operator-char }  
  # { operator-char }+  
 
prefix-symbol::= ! { operator-char }  
  (? ∣  ~) { operator-char }+  
 
operator-char::= ! ∣  $ ∣  % ∣  & ∣  * ∣  + ∣  - ∣  . ∣  / ∣  : ∣  < ∣  = ∣  > ∣  ? ∣  @ ∣  ^ ∣  | ∣  ~

See also the following language extension: extension operators.

Sequences of “operator characters”, such as <=> or !!, are read as a single token from the infix-symbol or prefix-symbol class. These symbols are parsed as prefix and infix operators inside expressions, but otherwise behave like normal identifiers.

Keywords

The identifiers below are reserved as keywords, and cannot be employed otherwise:

      and         as          assert      asr         begin       class
      constraint  do          done        downto      else        end
      exception   external    false       for         fun         function
      functor     if          in          include     inherit     initializer
      land        lazy        let         lor         lsl         lsr
      lxor        match       method      mod         module      mutable
      new         nonrec      object      of          open        or
      private     rec         sig         struct      then        to
      true        try         type        val         virtual     when
      while       with


The following character sequences are also keywords:

    !=    #     &     &&    '     (     )     *     +     ,     -
    -.    ->    .     ..    :     ::    :=    :>    ;     ;;    <
    <-    =     >     >]    >}    ?     [     [<    [>    [|    ]
    _     `     {     {<    |     |]    ||    }     ~

Note that the following identifiers are keywords of the Camlp4 extensions and should be avoided for compatibility reasons.

    parser    value    $     $$    $:    <:    <<    >>    ??

Ambiguities

Lexical ambiguities are resolved according to the “longest match” rule: when a character sequence can be decomposed into two tokens in several different ways, the decomposition retained is the one with the longest first token.

Line number directives

linenum-directive::= # {0 … 9}+  
  # {0 … 9}+ " { string-character } "

Preprocessors that generate OCaml source code can insert line number directives in their output so that error messages produced by the compiler contain line numbers and file names referring to the source file before preprocessing, instead of after preprocessing. A line number directive is composed of a # (sharp sign), followed by a positive integer (the source line number), optionally followed by a character string (the source file name). Line number directives are treated as blanks during lexical analysis.


Up Next ocaml-doc-4.05/ocaml.html/lexyacc.html0000644000175000017500000012555713131636457016642 0ustar mehdimehdi Chapter 12  Lexer and parser generators (ocamllex, ocamlyacc) Previous Up Next

Chapter 12  Lexer and parser generators (ocamllex, ocamlyacc)

This chapter describes two program generators: ocamllex, that produces a lexical analyzer from a set of regular expressions with associated semantic actions, and ocamlyacc, that produces a parser from a grammar with associated semantic actions.

These program generators are very close to the well-known lex and yacc commands that can be found in most C programming environments. This chapter assumes a working knowledge of lex and yacc: while it describes the input syntax for ocamllex and ocamlyacc and the main differences with lex and yacc, it does not explain the basics of writing a lexer or parser description in lex and yacc. Readers unfamiliar with lex and yacc are referred to “Compilers: principles, techniques, and tools” by Aho, Sethi and Ullman (Addison-Wesley, 1986), or “Lex & Yacc”, by Levine, Mason and Brown (O’Reilly, 1992).

12.1  Overview of ocamllex

The ocamllex command produces a lexical analyzer from a set of regular expressions with attached semantic actions, in the style of lex. Assuming the input file is lexer.mll, executing

        ocamllex lexer.mll

produces OCaml code for a lexical analyzer in file lexer.ml. This file defines one lexing function per entry point in the lexer definition. These functions have the same names as the entry points. Lexing functions take as argument a lexer buffer, and return the semantic attribute of the corresponding entry point.

Lexer buffers are an abstract data type implemented in the standard library module Lexing. The functions Lexing.from_channel, Lexing.from_string and Lexing.from_function create lexer buffers that read from an input channel, a character string, or any reading function, respectively. (See the description of module Lexing in chapter 24.)

When used in conjunction with a parser generated by ocamlyacc, the semantic actions compute a value belonging to the type token defined by the generated parsing module. (See the description of ocamlyacc below.)

12.1.1  Options

The following command-line options are recognized by ocamllex.

-ml
Output code that does not use OCaml’s built-in automata interpreter. Instead, the automaton is encoded by OCaml functions. This option mainly is useful for debugging ocamllex, using it for production lexers is not recommended.
-o output-file
Specify the name of the output file produced by ocamllex. The default is the input file name with its extension replaced by .ml.
-q
Quiet mode. ocamllex normally outputs informational messages to standard output. They are suppressed if option -q is used.
-v or -version
Print version string and exit.
-vnum
Print short version number and exit.
-help or --help
Display a short usage summary and exit.

12.2  Syntax of lexer definitions

The format of lexer definitions is as follows:

{ header }
let ident = regexp …
[refill { refill-handler }]
rule entrypoint [arg1argn] =
  parse regexp { action }
      | …
      | regexp { action }
and entrypoint [arg1argn] =
  parse …
and …
{ trailer }

Comments are delimited by (* and *), as in OCaml. The parse keyword, can be replaced by the shortest keyword, with the semantic consequences explained below.

Refill handlers are a recent (optional) feature introduced in 4.02, documented below in subsection 12.2.7.

12.2.1  Header and trailer

The header and trailer sections are arbitrary OCaml text enclosed in curly braces. Either or both can be omitted. If present, the header text is copied as is at the beginning of the output file and the trailer text at the end. Typically, the header section contains the open directives required by the actions, and possibly some auxiliary functions used in the actions.

12.2.2  Naming regular expressions

Between the header and the entry points, one can give names to frequently-occurring regular expressions. This is written let ident =  regexp. In regular expressions that follow this declaration, the identifier ident can be used as shorthand for regexp.

12.2.3  Entry points

The names of the entry points must be valid identifiers for OCaml values (starting with a lowercase letter). Similarily, the arguments arg1argn must be valid identifiers for OCaml. Each entry point becomes an OCaml function that takes n+1 arguments, the extra implicit last argument being of type Lexing.lexbuf. Characters are read from the Lexing.lexbuf argument and matched against the regular expressions provided in the rule, until a prefix of the input matches one of the rule. The corresponding action is then evaluated and returned as the result of the function.

If several regular expressions match a prefix of the input, the “longest match” rule applies: the regular expression that matches the longest prefix of the input is selected. In case of tie, the regular expression that occurs earlier in the rule is selected.

However, if lexer rules are introduced with the shortest keyword in place of the parse keyword, then the “shortest match” rule applies: the shortest prefix of the input is selected. In case of tie, the regular expression that occurs earlier in the rule is still selected. This feature is not intended for use in ordinary lexical analyzers, it may facilitate the use of ocamllex as a simple text processing tool.

12.2.4  Regular expressions

The regular expressions are in the style of lex, with a more OCaml-like syntax.

regexp::=
' regular-charescape-sequence '
A character constant, with the same syntax as OCaml character constants. Match the denoted character.
_
(underscore) Match any character.
eof
Match the end of the lexer input.
Note: On some systems, with interactive input, an end-of-file may be followed by more characters. However, ocamllex will not correctly handle regular expressions that contain eof followed by something else.
" { string-character } "
A string constant, with the same syntax as OCaml string constants. Match the corresponding sequence of characters.
[ character-set ]
Match any single character belonging to the given character set. Valid character sets are: single character constants ' c '; ranges of characters ' c1 ' - ' c2 ' (all characters between c1 and c2, inclusive); and the union of two or more character sets, denoted by concatenation.
[ ^ character-set ]
Match any single character not belonging to the given character set.
regexp1 #  regexp2
(difference of character sets) Regular expressions regexp1 and regexp2 must be character sets defined with [] (or a a single character expression or underscore _). Match the difference of the two specified character sets.
regexp *
(repetition) Match the concatenation of zero or more strings that match regexp.
regexp +
(strict repetition) Match the concatenation of one or more strings that match regexp.
regexp ?
(option) Match the empty string, or a string matching regexp.
regexp1 |  regexp2
(alternative) Match any string that matches regexp1 or regexp2
regexp1  regexp2
(concatenation) Match the concatenation of two strings, the first matching regexp1, the second matching regexp2.
( regexp )
Match the same strings as regexp.
ident
Reference the regular expression bound to ident by an earlier let ident =  regexp definition.
regexp as  ident
Bind the substring matched by regexp to identifier ident.

Concerning the precedences of operators, # has the highest precedence, followed by *, + and ?, then concatenation, then | (alternation), then as.

12.2.5  Actions

The actions are arbitrary OCaml expressions. They are evaluated in a context where the identifiers defined by using the as construct are bound to subparts of the matched string. Additionally, lexbuf is bound to the current lexer buffer. Some typical uses for lexbuf, in conjunction with the operations on lexer buffers provided by the Lexing standard library module, are listed below.

Lexing.lexeme lexbuf
Return the matched string.
Lexing.lexeme_char lexbuf n
Return the nth character in the matched string. The first character corresponds to n = 0.
Lexing.lexeme_start lexbuf
Return the absolute position in the input text of the beginning of the matched string (i.e. the offset of the first character of the matched string). The first character read from the input text has offset 0.
Lexing.lexeme_end lexbuf
Return the absolute position in the input text of the end of the matched string (i.e. the offset of the first character after the matched string). The first character read from the input text has offset 0.
entrypoint [exp1expn] lexbuf
(Where entrypoint is the name of another entry point in the same lexer definition.) Recursively call the lexer on the given entry point. Notice that lexbuf is the last argument. Useful for lexing nested comments, for example.

12.2.6  Variables in regular expressions

The as construct is similar to “groups” as provided by numerous regular expression packages. The type of these variables can be string, char, string option or char option.

We first consider the case of linear patterns, that is the case when all as bound variables are distinct. In regexp as  ident, the type of ident normally is string (or string option) except when regexp is a character constant, an underscore, a string constant of length one, a character set specification, or an alternation of those. Then, the type of ident is char (or char option). Option types are introduced when overall rule matching does not imply matching of the bound sub-pattern. This is in particular the case of ( regexp as  ident ) ? and of regexp1 | (  regexp2 as  ident ).

There is no linearity restriction over as bound variables. When a variable is bound more than once, the previous rules are to be extended as follows:

For instance, in ('a' as x) | ( 'a' (_ as x) ) the variable x is of type char, whereas in ("ab" as x) | ( 'a' (_ as x) ? ) the variable x is of type string option.

In some cases, a successful match may not yield a unique set of bindings. For instance the matching of aba by the regular expression (('a'|"ab") as x) (("ba"|'a') as y) may result in binding either x to "ab" and y to "a", or x to "a" and y to "ba". The automata produced ocamllex on such ambiguous regular expressions will select one of the possible resulting sets of bindings. The selected set of bindings is purposely left unspecified.

12.2.7  Refill handlers

By default, when ocamllex reaches the end of its lexing buffer, it will silently call the refill_buff function of lexbuf structure and continue lexing. It is sometimes useful to be able to take control of refilling action; typically, if you use a library for asynchronous computation, you may want to wrap the refilling action in a delaying function to avoid blocking synchronous operations.

Since OCaml 4.02, it is possible to specify a refill-handler, a function that will be called when refill happens. It is passed the continuation of the lexing, on which it has total control. The OCaml expression used as refill action should have a type that is an instance of

   (Lexing.lexbuf -> 'a) -> Lexing.lexbuf -> 'a

where the first argument is the continuation which captures the processing ocamllex would usually perform (refilling the buffer, then calling the lexing function again), and the result type that instantiates [’a] should unify with the result type of all lexing rules.

As an example, consider the following lexer that is parametrized over an arbitrary monad:

{
type token = EOL | INT of int | PLUS

module Make (M : sig
               type 'a t
               val return: 'a -> 'a t
               val bind: 'a t -> ('a -> 'b t) -> 'b t
               val fail : string -> 'a t

               (* Set up lexbuf *)
               val on_refill : Lexing.lexbuf -> unit t
             end)
= struct

let refill_handler k lexbuf =
    M.bind (M.on_refill lexbuf) (fun () -> k lexbuf)

}

refill {refill_handler}

rule token = parse
| [' ' '\t']
    { token lexbuf }
| '\n'
    { M.return EOL }
| ['0'-'9']+ as i
    { M.return (INT (int_of_string i)) }
| '+'
    { M.return PLUS }
| _
    { M.fail "unexpected character" }
{
end
}

12.2.8  Reserved identifiers

All identifiers starting with __ocaml_lex are reserved for use by ocamllex; do not use any such identifier in your programs.

12.3  Overview of ocamlyacc

The ocamlyacc command produces a parser from a context-free grammar specification with attached semantic actions, in the style of yacc. Assuming the input file is grammar.mly, executing

        ocamlyacc options grammar.mly

produces OCaml code for a parser in the file grammar.ml, and its interface in file grammar.mli.

The generated module defines one parsing function per entry point in the grammar. These functions have the same names as the entry points. Parsing functions take as arguments a lexical analyzer (a function from lexer buffers to tokens) and a lexer buffer, and return the semantic attribute of the corresponding entry point. Lexical analyzer functions are usually generated from a lexer specification by the ocamllex program. Lexer buffers are an abstract data type implemented in the standard library module Lexing. Tokens are values from the concrete type token, defined in the interface file grammar.mli produced by ocamlyacc.

12.4  Syntax of grammar definitions

Grammar definitions have the following format:

%{
  header
%}
  declarations
%%
  rules
%%
  trailer

Comments are enclosed between /* and */ (as in C) in the “declarations” and “rules” sections, and between (* and *) (as in OCaml) in the “header” and “trailer” sections.

12.4.1  Header and trailer

The header and the trailer sections are OCaml code that is copied as is into file grammar.ml. Both sections are optional. The header goes at the beginning of the output file; it usually contains open directives and auxiliary functions required by the semantic actions of the rules. The trailer goes at the end of the output file.

12.4.2  Declarations

Declarations are given one per line. They all start with a % sign.

%token constr …  constr
Declare the given symbols constr …  constr as tokens (terminal symbols). These symbols are added as constant constructors for the token concrete type.
%token < typexpr >  constr …  constr
Declare the given symbols constr …  constr as tokens with an attached attribute of the given type. These symbols are added as constructors with arguments of the given type for the token concrete type. The typexpr part is an arbitrary OCaml type expression, except that all type constructor names must be fully qualified (e.g. Modname.typename) for all types except standard built-in types, even if the proper open directives (e.g. open Modname) were given in the header section. That’s because the header is copied only to the .ml output file, but not to the .mli output file, while the typexpr part of a %token declaration is copied to both.
%start symbol …  symbol
Declare the given symbols as entry points for the grammar. For each entry point, a parsing function with the same name is defined in the output module. Non-terminals that are not declared as entry points have no such parsing function. Start symbols must be given a type with the %type directive below.
%type < typexpr >  symbol …  symbol
Specify the type of the semantic attributes for the given symbols. This is mandatory for start symbols only. Other nonterminal symbols need not be given types by hand: these types will be inferred when running the output files through the OCaml compiler (unless the -s option is in effect). The typexpr part is an arbitrary OCaml type expression, except that all type constructor names must be fully qualified, as explained above for %token.
%left symbol …  symbol
%right symbol …  symbol
%nonassoc symbol …  symbol

Associate precedences and associativities to the given symbols. All symbols on the same line are given the same precedence. They have higher precedence than symbols declared before in a %left, %right or %nonassoc line. They have lower precedence than symbols declared after in a %left, %right or %nonassoc line. The symbols are declared to associate to the left (%left), to the right (%right), or to be non-associative (%nonassoc). The symbols are usually tokens. They can also be dummy nonterminals, for use with the %prec directive inside the rules.

The precedence declarations are used in the following way to resolve reduce/reduce and shift/reduce conflicts:

12.4.3  Rules

The syntax for rules is as usual:

nonterminal :
    symbolsymbol { semantic-action }
  | …
  | symbolsymbol { semantic-action }
;

Rules can also contain the %prec symbol directive in the right-hand side part, to override the default precedence and associativity of the rule with the precedence and associativity of the given symbol.

Semantic actions are arbitrary OCaml expressions, that are evaluated to produce the semantic attribute attached to the defined nonterminal. The semantic actions can access the semantic attributes of the symbols in the right-hand side of the rule with the $ notation: $1 is the attribute for the first (leftmost) symbol, $2 is the attribute for the second symbol, etc.

The rules may contain the special symbol error to indicate resynchronization points, as in yacc.

Actions occurring in the middle of rules are not supported.

Nonterminal symbols are like regular OCaml symbols, except that they cannot end with ' (single quote).

12.4.4  Error handling

Error recovery is supported as follows: when the parser reaches an error state (no grammar rules can apply), it calls a function named parse_error with the string "syntax error" as argument. The default parse_error function does nothing and returns, thus initiating error recovery (see below). The user can define a customized parse_error function in the header section of the grammar file.

The parser also enters error recovery mode if one of the grammar actions raises the Parsing.Parse_error exception.

In error recovery mode, the parser discards states from the stack until it reaches a place where the error token can be shifted. It then discards tokens from the input until it finds three successive tokens that can be accepted, and starts processing with the first of these. If no state can be uncovered where the error token can be shifted, then the parser aborts by raising the Parsing.Parse_error exception.

Refer to documentation on yacc for more details and guidance in how to use error recovery.

12.5  Options

The ocamlyacc command recognizes the following options:

-bprefix
Name the output files prefix.ml, prefix.mli, prefix.output, instead of the default naming convention.
-q
This option has no effect.
-v
Generate a description of the parsing tables and a report on conflicts resulting from ambiguities in the grammar. The description is put in file grammar.output.
-version
Print version string and exit.
-vnum
Print short version number and exit.
-
Read the grammar specification from standard input. The default output file names are stdin.ml and stdin.mli.
-- file
Process file as the grammar specification, even if its name starts with a dash (-) character. This option must be the last on the command line.

At run-time, the ocamlyacc-generated parser can be debugged by setting the p option in the OCAMLRUNPARAM environment variable (see section 10.2). This causes the pushdown automaton executing the parser to print a trace of its action (tokens shifted, rules reduced, etc). The trace mentions rule numbers and state numbers that can be interpreted by looking at the file grammar.output generated by ocamlyacc -v.

12.6  A complete example

The all-time favorite: a desk calculator. This program reads arithmetic expressions on standard input, one per line, and prints their values. Here is the grammar definition:

        /* File parser.mly */
        %token <int> INT
        %token PLUS MINUS TIMES DIV
        %token LPAREN RPAREN
        %token EOL
        %left PLUS MINUS        /* lowest precedence */
        %left TIMES DIV         /* medium precedence */
        %nonassoc UMINUS        /* highest precedence */
        %start main             /* the entry point */
        %type <int> main
        %%
        main:
            expr EOL                { $1 }
        ;
        expr:
            INT                     { $1 }
          | LPAREN expr RPAREN      { $2 }
          | expr PLUS expr          { $1 + $3 }
          | expr MINUS expr         { $1 - $3 }
          | expr TIMES expr         { $1 * $3 }
          | expr DIV expr           { $1 / $3 }
          | MINUS expr %prec UMINUS { - $2 }
        ;

Here is the definition for the corresponding lexer:

        (* File lexer.mll *)
        {
        open Parser        (* The type token is defined in parser.mli *)
        exception Eof
        }
        rule token = parse
            [' ' '\t']     { token lexbuf }     (* skip blanks *)
          | ['\n' ]        { EOL }
          | ['0'-'9']+ as lxm { INT(int_of_string lxm) }
          | '+'            { PLUS }
          | '-'            { MINUS }
          | '*'            { TIMES }
          | '/'            { DIV }
          | '('            { LPAREN }
          | ')'            { RPAREN }
          | eof            { raise Eof }

Here is the main program, that combines the parser with the lexer:

        (* File calc.ml *)
        let _ =
          try
            let lexbuf = Lexing.from_channel stdin in
            while true do
              let result = Parser.main Lexer.token lexbuf in
                print_int result; print_newline(); flush stdout
            done
          with Lexer.Eof ->
            exit 0

To compile everything, execute:

        ocamllex lexer.mll       # generates lexer.ml
        ocamlyacc parser.mly     # generates parser.ml and parser.mli
        ocamlc -c parser.mli
        ocamlc -c lexer.ml
        ocamlc -c parser.ml
        ocamlc -c calc.ml
        ocamlc -o calc lexer.cmo parser.cmo calc.cmo

12.7  Common errors

ocamllex: transition table overflow, automaton is too big

The deterministic automata generated by ocamllex are limited to at most 32767 transitions. The message above indicates that your lexer definition is too complex and overflows this limit. This is commonly caused by lexer definitions that have separate rules for each of the alphabetic keywords of the language, as in the following example.

rule token = parse
  "keyword1"   { KWD1 }
| "keyword2"   { KWD2 }
| ...
| "keyword100" { KWD100 }
| ['A'-'Z' 'a'-'z'] ['A'-'Z' 'a'-'z' '0'-'9' '_'] * as id
               { IDENT id}

To keep the generated automata small, rewrite those definitions with only one general “identifier” rule, followed by a hashtable lookup to separate keywords from identifiers:

{ let keyword_table = Hashtbl.create 53
  let _ =
    List.iter (fun (kwd, tok) -> Hashtbl.add keyword_table kwd tok)
              [ "keyword1", KWD1;
                "keyword2", KWD2; ...
                "keyword100", KWD100 ]
}
rule token = parse
  ['A'-'Z' 'a'-'z'] ['A'-'Z' 'a'-'z' '0'-'9' '_'] * as id
               { try
                   Hashtbl.find keyword_table id
                 with Not_found ->
                   IDENT id }
ocamllex: Position memory overflow, too many bindings
The deterministic automata generated by ocamllex maintain a table of positions inside the scanned lexer buffer. The size of this table is limited to at most 255 cells. This error should not show up in normal situations.

Previous Up Next ocaml-doc-4.05/ocaml.html/intfc.html0000644000175000017500000042173413131636457016311 0ustar mehdimehdi Chapter 19  Interfacing C with OCaml Previous Up Next

Chapter 19  Interfacing C with OCaml

This chapter describes how user-defined primitives, written in C, can be linked with OCaml code and called from OCaml functions, and how these C functions can call back to OCaml code.

19.1  Overview and compilation information

19.1.1  Declaring primitives

definition::= ...  
  external value-name :  typexpr =  external-declaration  
 
external-declaration::= string-literal  [ string-literal  [ string-literal ] ]

User primitives are declared in an implementation file or structend module expression using the external keyword:

        external name : type = C-function-name

This defines the value name name as a function with type type that executes by calling the given C function. For instance, here is how the input primitive is declared in the standard library module Pervasives:

        external input : in_channel -> bytes -> int -> int -> int
                       = "input"

Primitives with several arguments are always curried. The C function does not necessarily have the same name as the ML function.

External functions thus defined can be specified in interface files or sigend signatures either as regular values

        val name : type

thus hiding their implementation as C functions, or explicitly as “manifest” external functions

        external name : type = C-function-name

The latter is slightly more efficient, as it allows clients of the module to call directly the C function instead of going through the corresponding OCaml function. On the other hand, it should not be used in library modules if they have side-effects at toplevel, as this direct call interferes with the linker’s algorithm for removing unused modules from libraries at link-time.

The arity (number of arguments) of a primitive is automatically determined from its OCaml type in the external declaration, by counting the number of function arrows in the type. For instance, input above has arity 4, and the input C function is called with four arguments. Similarly,

    external input2 : in_channel * bytes * int * int -> int = "input2"

has arity 1, and the input2 C function receives one argument (which is a quadruple of OCaml values).

Type abbreviations are not expanded when determining the arity of a primitive. For instance,

        type int_endo = int -> int
        external f : int_endo -> int_endo = "f"
        external g : (int -> int) -> (int -> int) = "f"

f has arity 1, but g has arity 2. This allows a primitive to return a functional value (as in the f example above): just remember to name the functional return type in a type abbreviation.

The language accepts external declarations with one or two flag strings in addition to the C function’s name. These flags are reserved for the implementation of the standard library.

19.1.2  Implementing primitives

User primitives with arity n ≤ 5 are implemented by C functions that take n arguments of type value, and return a result of type value. The type value is the type of the representations for OCaml values. It encodes objects of several base types (integers, floating-point numbers, strings, …) as well as OCaml data structures. The type value and the associated conversion functions and macros are described in detail below. For instance, here is the declaration for the C function implementing the input primitive:

CAMLprim value input(value channel, value buffer, value offset, value length)
{
  ...
}

When the primitive function is applied in an OCaml program, the C function is called with the values of the expressions to which the primitive is applied as arguments. The value returned by the function is passed back to the OCaml program as the result of the function application.

User primitives with arity greater than 5 should be implemented by two C functions. The first function, to be used in conjunction with the bytecode compiler ocamlc, receives two arguments: a pointer to an array of OCaml values (the values for the arguments), and an integer which is the number of arguments provided. The other function, to be used in conjunction with the native-code compiler ocamlopt, takes its arguments directly. For instance, here are the two C functions for the 7-argument primitive Nat.add_nat:

CAMLprim value add_nat_native(value nat1, value ofs1, value len1,
                              value nat2, value ofs2, value len2,
                              value carry_in)
{
  ...
}
CAMLprim value add_nat_bytecode(value * argv, int argn)
{
  return add_nat_native(argv[0], argv[1], argv[2], argv[3],
                        argv[4], argv[5], argv[6]);
}

The names of the two C functions must be given in the primitive declaration, as follows:

        external name : type =
                 bytecode-C-function-name native-code-C-function-name

For instance, in the case of add_nat, the declaration is:

        external add_nat: nat -> int -> int -> nat -> int -> int -> int -> int
                        = "add_nat_bytecode" "add_nat_native"

Implementing a user primitive is actually two separate tasks: on the one hand, decoding the arguments to extract C values from the given OCaml values, and encoding the return value as an OCaml value; on the other hand, actually computing the result from the arguments. Except for very simple primitives, it is often preferable to have two distinct C functions to implement these two tasks. The first function actually implements the primitive, taking native C values as arguments and returning a native C value. The second function, often called the “stub code”, is a simple wrapper around the first function that converts its arguments from OCaml values to C values, call the first function, and convert the returned C value to OCaml value. For instance, here is the stub code for the input primitive:

CAMLprim value input(value channel, value buffer, value offset, value length)
{
  return Val_long(getblock((struct channel *) channel,
                           &Byte(buffer, Long_val(offset)),
                           Long_val(length)));
}

(Here, Val_long, Long_val and so on are conversion macros for the type value, that will be described later. The CAMLprim macro expands to the required compiler directives to ensure that the function is exported and accessible from OCaml.) The hard work is performed by the function getblock, which is declared as:

long getblock(struct channel * channel, char * p, long n)
{
  ...
}

To write C code that operates on OCaml values, the following include files are provided:

Include fileProvides
caml/mlvalues.hdefinition of the value type, and conversion macros
caml/alloc.hallocation functions (to create structured OCaml objects)
caml/memory.hmiscellaneous memory-related functions and macros (for GC interface, in-place modification of structures, etc).
caml/fail.hfunctions for raising exceptions (see section 19.4.5)
caml/callback.hcallback from C to OCaml (see section 19.7).
caml/custom.hoperations on custom blocks (see section 19.9).
caml/intext.hoperations for writing user-defined serialization and deserialization functions for custom blocks (see section 19.9).
caml/threads.hoperations for interfacing in the presence of multiple threads (see section 19.11).

These files reside in the caml/ subdirectory of the OCaml standard library directory, which is returned by the command ocamlc -where (usually /usr/local/lib/ocaml or /usr/lib/ocaml).

By default, header files in the caml/ subdirectory give only access to the public interface of the OCaml runtime. It is possible to define the macro CAML_INTERNALS to get access to a lower-level interface, but this lower-level interface is more likely to change and break programs that use it.

Note: It is recommended to define the macro CAML_NAME_SPACE before including these header files. If you do not define it, the header files will also define short names (without the caml_ prefix) for most functions, which usually produce clashes with names defined by other C libraries that you might use. Including the header files without CAML_NAME_SPACE is only supported for backward compatibility.

19.1.3  Statically linking C code with OCaml code

The OCaml runtime system comprises three main parts: the bytecode interpreter, the memory manager, and a set of C functions that implement the primitive operations. Some bytecode instructions are provided to call these C functions, designated by their offset in a table of functions (the table of primitives).

In the default mode, the OCaml linker produces bytecode for the standard runtime system, with a standard set of primitives. References to primitives that are not in this standard set result in the “unavailable C primitive” error. (Unless dynamic loading of C libraries is supported – see section 19.1.4 below.)

In the “custom runtime” mode, the OCaml linker scans the object files and determines the set of required primitives. Then, it builds a suitable runtime system, by calling the native code linker with:

This builds a runtime system with the required primitives. The OCaml linker generates bytecode for this custom runtime system. The bytecode is appended to the end of the custom runtime system, so that it will be automatically executed when the output file (custom runtime + bytecode) is launched.

To link in “custom runtime” mode, execute the ocamlc command with:

If you are using the native-code compiler ocamlopt, the -custom flag is not needed, as the final linking phase of ocamlopt always builds a standalone executable. To build a mixed OCaml/C executable, execute the ocamlopt command with:

Starting with Objective Caml 3.00, it is possible to record the -custom option as well as the names of C libraries in an OCaml library file .cma or .cmxa. For instance, consider an OCaml library mylib.cma, built from the OCaml object files a.cmo and b.cmo, which reference C code in libmylib.a. If the library is built as follows:

        ocamlc -a -o mylib.cma -custom a.cmo b.cmo -cclib -lmylib

users of the library can simply link with mylib.cma:

        ocamlc -o myprog mylib.cma ...

and the system will automatically add the -custom and -cclib -lmylib options, achieving the same effect as

        ocamlc -o myprog -custom a.cmo b.cmo ... -cclib -lmylib

The alternative is of course to build the library without extra options:

        ocamlc -a -o mylib.cma a.cmo b.cmo

and then ask users to provide the -custom and -cclib -lmylib options themselves at link-time:

        ocamlc -o myprog -custom mylib.cma ... -cclib -lmylib

The former alternative is more convenient for the final users of the library, however.

19.1.4  Dynamically linking C code with OCaml code

Starting with Objective Caml 3.03, an alternative to static linking of C code using the -custom code is provided. In this mode, the OCaml linker generates a pure bytecode executable (no embedded custom runtime system) that simply records the names of dynamically-loaded libraries containing the C code. The standard OCaml runtime system ocamlrun then loads dynamically these libraries, and resolves references to the required primitives, before executing the bytecode.

This facility is currently supported and known to work well under Linux, MacOS X, and Windows. It is supported, but not fully tested yet, under FreeBSD, Tru64, Solaris and Irix. It is not supported yet under other Unixes.

To dynamically link C code with OCaml code, the C code must first be compiled into a shared library (under Unix) or DLL (under Windows). This involves 1- compiling the C files with appropriate C compiler flags for producing position-independent code (when required by the operating system), and 2- building a shared library from the resulting object files. The resulting shared library or DLL file must be installed in a place where ocamlrun can find it later at program start-up time (see section 10.3). Finally (step 3), execute the ocamlc command with

Do not set the -custom flag, otherwise you’re back to static linking as described in section 19.1.3. The ocamlmklib tool (see section 19.12) automates steps 2 and 3.

As in the case of static linking, it is possible (and recommended) to record the names of C libraries in an OCaml .cma library archive. Consider again an OCaml library mylib.cma, built from the OCaml object files a.cmo and b.cmo, which reference C code in dllmylib.so. If the library is built as follows:

        ocamlc -a -o mylib.cma a.cmo b.cmo -dllib -lmylib

users of the library can simply link with mylib.cma:

        ocamlc -o myprog mylib.cma ...

and the system will automatically add the -dllib -lmylib option, achieving the same effect as

        ocamlc -o myprog a.cmo b.cmo ... -dllib -lmylib

Using this mechanism, users of the library mylib.cma do not need to known that it references C code, nor whether this C code must be statically linked (using -custom) or dynamically linked.

19.1.5  Choosing between static linking and dynamic linking

After having described two different ways of linking C code with OCaml code, we now review the pros and cons of each, to help developers of mixed OCaml/C libraries decide.

The main advantage of dynamic linking is that it preserves the platform-independence of bytecode executables. That is, the bytecode executable contains no machine code, and can therefore be compiled on platform A and executed on other platforms B, C, …, as long as the required shared libraries are available on all these platforms. In contrast, executables generated by ocamlc -custom run only on the platform on which they were created, because they embark a custom-tailored runtime system specific to that platform. In addition, dynamic linking results in smaller executables.

Another advantage of dynamic linking is that the final users of the library do not need to have a C compiler, C linker, and C runtime libraries installed on their machines. This is no big deal under Unix and Cygwin, but many Windows users are reluctant to install Microsoft Visual C just to be able to do ocamlc -custom.

There are two drawbacks to dynamic linking. The first is that the resulting executable is not stand-alone: it requires the shared libraries, as well as ocamlrun, to be installed on the machine executing the code. If you wish to distribute a stand-alone executable, it is better to link it statically, using ocamlc -custom -ccopt -static or ocamlopt -ccopt -static. Dynamic linking also raises the “DLL hell” problem: some care must be taken to ensure that the right versions of the shared libraries are found at start-up time.

The second drawback of dynamic linking is that it complicates the construction of the library. The C compiler and linker flags to compile to position-independent code and build a shared library vary wildly between different Unix systems. Also, dynamic linking is not supported on all Unix systems, requiring a fall-back case to static linking in the Makefile for the library. The ocamlmklib command (see section 19.12) tries to hide some of these system dependencies.

In conclusion: dynamic linking is highly recommended under the native Windows port, because there are no portability problems and it is much more convenient for the end users. Under Unix, dynamic linking should be considered for mature, frequently used libraries because it enhances platform-independence of bytecode executables. For new or rarely-used libraries, static linking is much simpler to set up in a portable way.

19.1.6  Building standalone custom runtime systems

It is sometimes inconvenient to build a custom runtime system each time OCaml code is linked with C libraries, like ocamlc -custom does. For one thing, the building of the runtime system is slow on some systems (that have bad linkers or slow remote file systems); for another thing, the platform-independence of bytecode files is lost, forcing to perform one ocamlc -custom link per platform of interest.

An alternative to ocamlc -custom is to build separately a custom runtime system integrating the desired C libraries, then generate “pure” bytecode executables (not containing their own runtime system) that can run on this custom runtime. This is achieved by the -make-runtime and -use-runtime flags to ocamlc. For example, to build a custom runtime system integrating the C parts of the “Unix” and “Threads” libraries, do:

        ocamlc -make-runtime -o /home/me/ocamlunixrun unix.cma threads.cma

To generate a bytecode executable that runs on this runtime system, do:

        ocamlc -use-runtime /home/me/ocamlunixrun -o myprog \
                unix.cma threads.cma your .cmo and .cma files

The bytecode executable myprog can then be launched as usual: myprog args or /home/me/ocamlunixrun myprog args.

Notice that the bytecode libraries unix.cma and threads.cma must be given twice: when building the runtime system (so that ocamlc knows which C primitives are required) and also when building the bytecode executable (so that the bytecode from unix.cma and threads.cma is actually linked in).

19.2  The value type

All OCaml objects are represented by the C type value, defined in the include file caml/mlvalues.h, along with macros to manipulate values of that type. An object of type value is either:

19.2.1  Integer values

Integer values encode 63-bit signed integers (31-bit on 32-bit architectures). They are unboxed (unallocated).

19.2.2  Blocks

Blocks in the heap are garbage-collected, and therefore have strict structure constraints. Each block includes a header containing the size of the block (in words), and the tag of the block. The tag governs how the contents of the blocks are structured. A tag lower than No_scan_tag indicates a structured block, containing well-formed values, which is recursively traversed by the garbage collector. A tag greater than or equal to No_scan_tag indicates a raw block, whose contents are not scanned by the garbage collector. For the benefit of ad-hoc polymorphic primitives such as equality and structured input-output, structured and raw blocks are further classified according to their tags as follows:

TagContents of the block
0 to No_scan_tag−1A structured block (an array of OCaml objects). Each field is a value.
Closure_tagA closure representing a functional value. The first word is a pointer to a piece of code, the remaining words are value containing the environment.
String_tagA character string or a byte sequence.
Double_tagA double-precision floating-point number.
Double_array_tagAn array or record of double-precision floating-point numbers.
Abstract_tagA block representing an abstract datatype.
Custom_tagA block representing an abstract datatype with user-defined finalization, comparison, hashing, serialization and deserialization functions atttached.

19.2.3  Pointers outside the heap

Any word-aligned pointer to an address outside the heap can be safely cast to and from the type value. This includes pointers returned by malloc, and pointers to C variables (of size at least one word) obtained with the & operator.

Caution: if a pointer returned by malloc is cast to the type value and returned to OCaml, explicit deallocation of the pointer using free is potentially dangerous, because the pointer may still be accessible from the OCaml world. Worse, the memory space deallocated by free can later be reallocated as part of the OCaml heap; the pointer, formerly pointing outside the OCaml heap, now points inside the OCaml heap, and this can crash the garbage collector. To avoid these problems, it is preferable to wrap the pointer in a OCaml block with tag Abstract_tag or Custom_tag.

19.3  Representation of OCaml data types

This section describes how OCaml data types are encoded in the value type.

19.3.1  Atomic types

OCaml typeEncoding
intUnboxed integer values.
charUnboxed integer values (ASCII code).
floatBlocks with tag Double_tag.
bytesBlocks with tag String_tag.
stringBlocks with tag String_tag.
int32Blocks with tag Custom_tag.
int64Blocks with tag Custom_tag.
nativeintBlocks with tag Custom_tag.

19.3.2  Tuples and records

Tuples are represented by pointers to blocks, with tag 0.

Records are also represented by zero-tagged blocks. The ordering of labels in the record type declaration determines the layout of the record fields: the value associated to the label declared first is stored in field 0 of the block, the value associated to the second label goes in field 1, and so on.

As an optimization, records whose fields all have static type float are represented as arrays of floating-point numbers, with tag Double_array_tag. (See the section below on arrays.)

As another optimization, unboxable record types are represented specially; unboxable record types are the immutable record types that have only one field. An unboxable type will be represented in one of two ways: boxed or unboxed. Boxed record types are represented as described above (by a block with tag 0 or Double_array_tag). An unboxed record type is represented directly by the value of its field (i.e. there is no block to represent the record itself).

The representation is chosen according to the following, in decreasing order of priority:

19.3.3  Arrays

Arrays of integers and pointers are represented like tuples, that is, as pointers to blocks tagged 0. They are accessed with the Field macro for reading and the caml_modify function for writing.

Arrays of floating-point numbers (type float array) have a special, unboxed, more efficient representation. These arrays are represented by pointers to blocks with tag Double_array_tag. They should be accessed with the Double_field and Store_double_field macros.

19.3.4  Concrete data types

Constructed terms are represented either by unboxed integers (for constant constructors) or by blocks whose tag encode the constructor (for non-constant constructors). The constant constructors and the non-constant constructors for a given concrete type are numbered separately, starting from 0, in the order in which they appear in the concrete type declaration. A constant constructor is represented by the unboxed integer equal to its constructor number. A non-constant constructor declared with n arguments is represented by a block of size n, tagged with the constructor number; the n fields contain its arguments. Example:

Constructed termRepresentation
()Val_int(0)
falseVal_int(0)
trueVal_int(1)
[]Val_int(0)
h::tBlock with size = 2 and tag = 0; first field contains h, second field t.

As a convenience, caml/mlvalues.h defines the macros Val_unit, Val_false and Val_true to refer to (), false and true.

The following example illustrates the assignment of integers and block tags to constructors:

type t =
  | A             (* First constant constructor -> integer "Val_int(0)" *)
  | B of string   (* First non-constant constructor -> block with tag 0 *)
  | C             (* Second constant constructor -> integer "Val_int(1)" *)
  | D of bool     (* Second non-constant constructor -> block with tag 1 *)
  | E of t * t    (* Third non-constant constructor -> block with tag 2 *)

As an optimization, unboxable concrete data types are represented specially; a concrete data type is unboxable if it has exactly one constructor and this constructor has exactly one argument. Unboxable concrete data types are represented in the same ways as unboxable record types: see the description in section 19.3.2.

19.3.5  Objects

Objects are represented as blocks with tag Object_tag. The first field of the block refers to the object’s class and associated method suite, in a format that cannot easily be exploited from C. The second field contains a unique object ID, used for comparisons. The remaining fields of the object contain the values of the instance variables of the object. It is unsafe to access directly instance variables, as the type system provides no guarantee about the instance variables contained by an object.

One may extract a public method from an object using the C function caml_get_public_method (declared in <caml/mlvalues.h>.) Since public method tags are hashed in the same way as variant tags, and methods are functions taking self as first argument, if you want to do the method call foo#bar from the C side, you should call:

  callback(caml_get_public_method(foo, hash_variant("bar")), foo);

19.3.6  Polymorphic variants

Like constructed terms, polymorphic variant values are represented either as integers (for polymorphic variants without argument), or as blocks (for polymorphic variants with an argument). Unlike constructed terms, variant constructors are not numbered starting from 0, but identified by a hash value (an OCaml integer), as computed by the C function hash_variant (declared in <caml/mlvalues.h>): the hash value for a variant constructor named, say, VConstr is hash_variant("VConstr").

The variant value `VConstr is represented by hash_variant("VConstr"). The variant value `VConstr(v) is represented by a block of size 2 and tag 0, with field number 0 containing hash_variant("VConstr") and field number 1 containing v.

Unlike constructed values, polymorphic variant values taking several arguments are not flattened. That is, `VConstr(v, w) is represented by a block of size 2, whose field number 1 contains the representation of the pair (v, w), rather than a block of size 3 containing v and w in fields 1 and 2.

19.4  Operations on values

19.4.1  Kind tests

19.4.2  Operations on integers

19.4.3  Accessing blocks

The expressions Field(v, n), Byte(v, n) and Byte_u(v, n) are valid l-values. Hence, they can be assigned to, resulting in an in-place modification of value v. Assigning directly to Field(v, n) must be done with care to avoid confusing the garbage collector (see below).

19.4.4  Allocating blocks

Simple interface

Low-level interface

The following functions are slightly more efficient than caml_alloc, but also much more difficult to use.

From the standpoint of the allocation functions, blocks are divided according to their size as zero-sized blocks, small blocks (with size less than or equal to Max_young_wosize), and large blocks (with size greater than Max_young_wosize). The constant Max_young_wosize is declared in the include file mlvalues.h. It is guaranteed to be at least 64 (words), so that any block with constant size less than or equal to 64 can be assumed to be small. For blocks whose size is computed at run-time, the size must be compared against Max_young_wosize to determine the correct allocation procedure.

19.4.5  Raising exceptions

Two functions are provided to raise two standard exceptions:

Raising arbitrary exceptions from C is more delicate: the exception identifier is dynamically allocated by the OCaml program, and therefore must be communicated to the C function using the registration facility described below in section 19.7.3. Once the exception identifier is recovered in C, the following functions actually raise the exception:

19.5  Living in harmony with the garbage collector

Unused blocks in the heap are automatically reclaimed by the garbage collector. This requires some cooperation from C code that manipulates heap-allocated blocks.

19.5.1  Simple interface

All the macros described in this section are declared in the memory.h header file.

Rule 1   A function that has parameters or local variables of type value must begin with a call to one of the CAMLparam macros and return with CAMLreturn, CAMLreturn0, or CAMLreturnT. In particular, CAMLlocal and CAMLxparam can only be called after CAMLparam.

There are six CAMLparam macros: CAMLparam0 to CAMLparam5, which take zero to five arguments respectively. If your function has no more than 5 parameters of type value, use the corresponding macros with these parameters as arguments. If your function has more than 5 parameters of type value, use CAMLparam5 with five of these parameters, and use one or more calls to the CAMLxparam macros for the remaining parameters (CAMLxparam1 to CAMLxparam5).

The macros CAMLreturn, CAMLreturn0, and CAMLreturnT are used to replace the C keyword return. Every occurrence of return x must be replaced by CAMLreturn (x) if x has type value, or CAMLreturnT (t, x) (where t is the type of x); every occurrence of return without argument must be replaced by CAMLreturn0. If your C function is a procedure (i.e. if it returns void), you must insert CAMLreturn0 at the end (to replace C’s implicit return).

Note:

some C compilers give bogus warnings about unused variables caml__dummy_xxx at each use of CAMLparam and CAMLlocal. You should ignore them.


Example:

void foo (value v1, value v2, value v3)
{
  CAMLparam3 (v1, v2, v3);
  ...
  CAMLreturn0;
}
Note:

if your function is a primitive with more than 5 arguments for use with the byte-code runtime, its arguments are not values and must not be declared (they have types value * and int).

Rule 2   Local variables of type value must be declared with one of the CAMLlocal macros. Arrays of values are declared with CAMLlocalN. These macros must be used at the beginning of the function, not in a nested block.

The macros CAMLlocal1 to CAMLlocal5 declare and initialize one to five local variables of type value. The variable names are given as arguments to the macros. CAMLlocalN(x, n) declares and initializes a local variable of type value [n]. You can use several calls to these macros if you have more than 5 local variables.

Example:

value bar (value v1, value v2, value v3)
{
  CAMLparam3 (v1, v2, v3);
  CAMLlocal1 (result);
  result = caml_alloc (3, 0);
  ...
  CAMLreturn (result);
}
Rule 3   Assignments to the fields of structured blocks must be done with the Store_field macro (for normal blocks) or Store_double_field macro (for arrays and records of floating-point numbers). Other assignments must not use Store_field nor Store_double_field.

Store_field (b, n, v) stores the value v in the field number n of value b, which must be a block (i.e. Is_block(b) must be true).

Example:

value bar (value v1, value v2, value v3)
{
  CAMLparam3 (v1, v2, v3);
  CAMLlocal1 (result);
  result = caml_alloc (3, 0);
  Store_field (result, 0, v1);
  Store_field (result, 1, v2);
  Store_field (result, 2, v3);
  CAMLreturn (result);
}
Warning:

The first argument of Store_field and Store_double_field must be a variable declared by CAMLparam* or a parameter declared by CAMLlocal* to ensure that a garbage collection triggered by the evaluation of the other arguments will not invalidate the first argument after it is computed.

Use with CAMLlocalN:

Arrays of values declared using CAMLlocalN must not be written to using Store_field. Use the normal C array syntax instead.

Rule 4   Global variables containing values must be registered with the garbage collector using the caml_register_global_root function.

Registration of a global variable v is achieved by calling caml_register_global_root(&v) just before or just after a valid value is stored in v for the first time. You must not call any of the OCaml runtime functions or macros between registering and storing the value.

A registered global variable v can be un-registered by calling caml_remove_global_root(&v).

If the contents of the global variable v are seldom modified after registration, better performance can be achieved by calling caml_register_generational_global_root(&v) to register v (after its initialization with a valid value, but before any allocation or call to the GC functions), and caml_remove_generational_global_root(&v) to un-register it. In this case, you must not modify the value of v directly, but you must use caml_modify_generational_global_root(&v,x) to set it to x. The garbage collector takes advantage of the guarantee that v is not modified between calls to caml_modify_generational_global_root to scan it less often. This improves performance if the modifications of v happen less often than minor collections.

Note:

The CAML macros use identifiers (local variables, type identifiers, structure tags) that start with caml__. Do not use any identifier starting with caml__ in your programs.

19.5.2  Low-level interface

We now give the GC rules corresponding to the low-level allocation functions caml_alloc_small and caml_alloc_shr. You can ignore those rules if you stick to the simplified allocation function caml_alloc.

Rule 5   After a structured block (a block with tag less than No_scan_tag) is allocated with the low-level functions, all fields of this block must be filled with well-formed values before the next allocation operation. If the block has been allocated with caml_alloc_small, filling is performed by direct assignment to the fields of the block:

        Field(v, n) = vn;
If the block has been allocated with caml_alloc_shr, filling is performed through the caml_initialize function:

        caml_initialize(&Field(v, n), vn);

The next allocation can trigger a garbage collection. The garbage collector assumes that all structured blocks contain well-formed values. Newly created blocks contain random data, which generally do not represent well-formed values.

If you really need to allocate before the fields can receive their final value, first initialize with a constant value (e.g. Val_unit), then allocate, then modify the fields with the correct value (see rule 6).

Rule 6   Direct assignment to a field of a block, as in

        Field(v, n) = w;
is safe only if v is a block newly allocated by caml_alloc_small; that is, if no allocation took place between the allocation of v and the assignment to the field. In all other cases, never assign directly. If the block has just been allocated by caml_alloc_shr, use caml_initialize to assign a value to a field for the first time:

        caml_initialize(&Field(v, n), w);
Otherwise, you are updating a field that previously contained a well-formed value; then, call the caml_modify function:

        caml_modify(&Field(v, n), w);

To illustrate the rules above, here is a C function that builds and returns a list containing the two integers given as parameters. First, we write it using the simplified allocation functions:

value alloc_list_int(int i1, int i2)
{
  CAMLparam0 ();
  CAMLlocal2 (result, r);

  r = caml_alloc(2, 0);                   /* Allocate a cons cell */
  Store_field(r, 0, Val_int(i2));         /* car = the integer i2 */
  Store_field(r, 1, Val_int(0));          /* cdr = the empty list [] */
  result = caml_alloc(2, 0);              /* Allocate the other cons cell */
  Store_field(result, 0, Val_int(i1));    /* car = the integer i1 */
  Store_field(result, 1, r);              /* cdr = the first cons cell */
  CAMLreturn (result);
}

Here, the registering of result is not strictly needed, because no allocation takes place after it gets its value, but it’s easier and safer to simply register all the local variables that have type value.

Here is the same function written using the low-level allocation functions. We notice that the cons cells are small blocks and can be allocated with caml_alloc_small, and filled by direct assignments on their fields.

value alloc_list_int(int i1, int i2)
{
  CAMLparam0 ();
  CAMLlocal2 (result, r);

  r = caml_alloc_small(2, 0);             /* Allocate a cons cell */
  Field(r, 0) = Val_int(i2);              /* car = the integer i2 */
  Field(r, 1) = Val_int(0);               /* cdr = the empty list [] */
  result = caml_alloc_small(2, 0);        /* Allocate the other cons cell */
  Field(result, 0) = Val_int(i1);         /* car = the integer i1 */
  Field(result, 1) = r;                   /* cdr = the first cons cell */
  CAMLreturn (result);
}

In the two examples above, the list is built bottom-up. Here is an alternate way, that proceeds top-down. It is less efficient, but illustrates the use of caml_modify.

value alloc_list_int(int i1, int i2)
{
  CAMLparam0 ();
  CAMLlocal2 (tail, r);

  r = caml_alloc_small(2, 0);             /* Allocate a cons cell */
  Field(r, 0) = Val_int(i1);              /* car = the integer i1 */
  Field(r, 1) = Val_int(0);               /* A dummy value
  tail = caml_alloc_small(2, 0);          /* Allocate the other cons cell */
  Field(tail, 0) = Val_int(i2);           /* car = the integer i2 */
  Field(tail, 1) = Val_int(0);            /* cdr = the empty list [] */
  caml_modify(&Field(r, 1), tail);        /* cdr of the result = tail */
  CAMLreturn (r);
}

It would be incorrect to perform Field(r, 1) = tail directly, because the allocation of tail has taken place since r was allocated.

19.6  A complete example

This section outlines how the functions from the Unix curses library can be made available to OCaml programs. First of all, here is the interface curses.mli that declares the curses primitives and data types:

(* File curses.ml -- declaration of primitives and data types *)
type window                   (* The type "window" remains abstract *)
external initscr: unit -> window = "caml_curses_initscr"
external endwin: unit -> unit = "caml_curses_endwin"
external refresh: unit -> unit = "caml_curses_refresh"
external wrefresh : window -> unit = "caml_curses_wrefresh"
external newwin: int -> int -> int -> int -> window = "caml_curses_newwin"
external addch: char -> unit = "caml_curses_addch"
external mvwaddch: window -> int -> int -> char -> unit = "caml_curses_mvwaddch"
external addstr: string -> unit = "caml_curses_addstr"
external mvwaddstr: window -> int -> int -> string -> unit
         = "caml_curses_mvwaddstr"
(* lots more omitted *)

To compile this interface:

        ocamlc -c curses.ml

To implement these functions, we just have to provide the stub code; the core functions are already implemented in the curses library. The stub code file, curses_stubs.c, looks like this:

/* File curses_stubs.c -- stub code for curses */
#include <curses.h>
#include <caml/mlvalues.h>
#include <caml/memory.h>
#include <caml/alloc.h>
#include <caml/custom.h>

/* Encapsulation of opaque window handles (of type WINDOW *)
   as OCaml custom blocks. */

static struct custom_operations curses_window_ops = {
  "fr.inria.caml.curses_windows",
  custom_finalize_default,
  custom_compare_default,
  custom_hash_default,
  custom_serialize_default,
  custom_deserialize_default,
  custom_compare_ext_default
};

/* Accessing the WINDOW * part of an OCaml custom block */
#define Window_val(v) (*((WINDOW **) Data_custom_val(v)))

/* Allocating an OCaml custom block to hold the given WINDOW * */
static value alloc_window(WINDOW * w)
{
  value v = alloc_custom(&curses_window_ops, sizeof(WINDOW *), 0, 1);
  Window_val(v) = w;
  return v;
}

value caml_curses_initscr(value unit)
{
  CAMLparam1 (unit);
  CAMLreturn (alloc_window(initscr()));
}

value caml_curses_endwin(value unit)
{
  CAMLparam1 (unit);
  endwin();
  CAMLreturn (Val_unit);
}

value caml_curses_refresh(value unit)
{
  CAMLparam1 (unit);
  refresh();
  CAMLreturn (Val_unit);
}

value caml_curses_wrefresh(value win)
{
  CAMLparam1 (win);
  wrefresh(Window_val(win));
  CAMLreturn (Val_unit);
}

value caml_curses_newwin(value nlines, value ncols, value x0, value y0)
{
  CAMLparam4 (nlines, ncols, x0, y0);
  CAMLreturn (alloc_window(newwin(Int_val(nlines), Int_val(ncols),
                                  Int_val(x0), Int_val(y0))));
}

value caml_curses_addch(value c)
{
  CAMLparam1 (c);
  addch(Int_val(c));            /* Characters are encoded like integers */
  CAMLreturn (Val_unit);
}

value caml_curses_mvwaddch(value win, value x, value y, value c)
{
  CAMLparam4 (win, x, y, c);
  mvwaddch(Window_val(win), Int_val(x), Int_val(y), Int_val(c));
  CAMLreturn (Val_unit);
}

value caml_curses_addstr(value s)
{
  CAMLparam1 (s);
  addstr(String_val(s));
  CAMLreturn (Val_unit);
}

value caml_curses_mvwaddstr(value win, value x, value y, value s)
{
  CAMLparam4 (win, x, y, s);
  mvwaddstr(Window_val(win), Int_val(x), Int_val(y), String_val(s));
  CAMLreturn (Val_unit);
}

/* This goes on for pages. */

The file curses_stubs.c can be compiled with:

        cc -c -I`ocamlc -where` curses_stubs.c

or, even simpler,

        ocamlc -c curses_stubs.c

(When passed a .c file, the ocamlc command simply calls the C compiler on that file, with the right -I option.)

Now, here is a sample OCaml program prog.ml that uses the curses module:

(* File prog.ml -- main program using curses *)
open Curses;;
let main_window = initscr () in
let small_window = newwin 10 5 20 10 in
  mvwaddstr main_window 10 2 "Hello";
  mvwaddstr small_window 4 3 "world";
  refresh();
  Unix.sleep 5;
  endwin()

To compile and link this program, run:

       ocamlc -custom -o prog unix.cma curses.cmo prog.ml curses_stubs.o -cclib -lcurses

(On some machines, you may need to put -cclib -lcurses -cclib -ltermcap or -cclib -ltermcap instead of -cclib -lcurses.)

19.7  Advanced topic: callbacks from C to OCaml

So far, we have described how to call C functions from OCaml. In this section, we show how C functions can call OCaml functions, either as callbacks (OCaml calls C which calls OCaml), or with the main program written in C.

19.7.1  Applying OCaml closures from C

C functions can apply OCaml function values (closures) to OCaml values. The following functions are provided to perform the applications:

If the function f does not return, but raises an exception that escapes the scope of the application, then this exception is propagated to the next enclosing OCaml code, skipping over the C code. That is, if an OCaml function f calls a C function g that calls back an OCaml function h that raises a stray exception, then the execution of g is interrupted and the exception is propagated back into f.

If the C code wishes to catch exceptions escaping the OCaml function, it can use the functions caml_callback_exn, caml_callback2_exn, caml_callback3_exn, caml_callbackN_exn. These functions take the same arguments as their non-_exn counterparts, but catch escaping exceptions and return them to the C code. The return value v of the caml_callback*_exn functions must be tested with the macro Is_exception_result(v). If the macro returns “false”, no exception occured, and v is the value returned by the OCaml function. If Is_exception_result(v) returns “true”, an exception escaped, and its value (the exception descriptor) can be recovered using Extract_exception(v).

Warning:

If the OCaml function returned with an exception, Extract_exception should be applied to the exception result prior to calling a function that may trigger garbage collection. Otherwise, if v is reachable during garbage collection, the runtime can crash since v does not contain a valid value.

Example:

    value call_caml_f_ex(value closure, value arg)
    {
      CAMLparam2(closure, arg);
      CAMLlocal2(res, tmp);
      res = caml_callback_exn(closure, arg);
      if(Is_exception_result(res)) {
        res = Extract_exception(res);
        tmp = caml_alloc(3, 0); /* Safe to allocate: res contains valid value. */
        ...
      }
      CAMLreturn (res);
    }

19.7.2  Obtaining or registering OCaml closures for use in C functions

There are two ways to obtain OCaml function values (closures) to be passed to the callback functions described above. One way is to pass the OCaml function as an argument to a primitive function. For example, if the OCaml code contains the declaration

    external apply : ('a -> 'b) -> 'a -> 'b = "caml_apply"

the corresponding C stub can be written as follows:

    CAMLprim value caml_apply(value vf, value vx)
    {
      CAMLparam2(vf, vx);
      CAMLlocal1(vy);
      vy = caml_callback(vf, vx);
      CAMLreturn(vy);
    }

Another possibility is to use the registration mechanism provided by OCaml. This registration mechanism enables OCaml code to register OCaml functions under some global name, and C code to retrieve the corresponding closure by this global name.

On the OCaml side, registration is performed by evaluating Callback.register n v. Here, n is the global name (an arbitrary string) and v the OCaml value. For instance:

    let f x = print_string "f is applied to "; print_int x; print_newline()
    let _ = Callback.register "test function" f

On the C side, a pointer to the value registered under name n is obtained by calling caml_named_value(n). The returned pointer must then be dereferenced to recover the actual OCaml value. If no value is registered under the name n, the null pointer is returned. For example, here is a C wrapper that calls the OCaml function f above:

    void call_caml_f(int arg)
    {
        caml_callback(*caml_named_value("test function"), Val_int(arg));
    }

The pointer returned by caml_named_value is constant and can safely be cached in a C variable to avoid repeated name lookups. On the other hand, the value pointed to can change during garbage collection and must always be recomputed at the point of use. Here is a more efficient variant of call_caml_f above that calls caml_named_value only once:

    void call_caml_f(int arg)
    {
        static value * closure_f = NULL;
        if (closure_f == NULL) {
            /* First time around, look up by name */
            closure_f = caml_named_value("test function");
        }
        caml_callback(*closure_f, Val_int(arg));
    }

19.7.3  Registering OCaml exceptions for use in C functions

The registration mechanism described above can also be used to communicate exception identifiers from OCaml to C. The OCaml code registers the exception by evaluating Callback.register_exception n exn, where n is an arbitrary name and exn is an exception value of the exception to register. For example:

    exception Error of string
    let _ = Callback.register_exception "test exception" (Error "any string")

The C code can then recover the exception identifier using caml_named_value and pass it as first argument to the functions raise_constant, raise_with_arg, and raise_with_string (described in section 19.4.5) to actually raise the exception. For example, here is a C function that raises the Error exception with the given argument:

    void raise_error(char * msg)
    {
        caml_raise_with_string(*caml_named_value("test exception"), msg);
    }

19.7.4  Main program in C

In normal operation, a mixed OCaml/C program starts by executing the OCaml initialization code, which then may proceed to call C functions. We say that the main program is the OCaml code. In some applications, it is desirable that the C code plays the role of the main program, calling OCaml functions when needed. This can be achieved as follows:

19.7.5  Embedding the OCaml code in the C code

The bytecode compiler in custom runtime mode (ocamlc -custom) normally appends the bytecode to the executable file containing the custom runtime. This has two consequences. First, the final linking step must be performed by ocamlc. Second, the OCaml runtime library must be able to find the name of the executable file from the command-line arguments. When using caml_main(argv) as in section 19.7.4, this means that argv[0] or argv[1] must contain the executable file name.

An alternative is to embed the bytecode in the C code. The -output-obj option to ocamlc is provided for this purpose. It causes the ocamlc compiler to output a C object file (.o file, .obj under Windows) containing the bytecode for the OCaml part of the program, as well as a caml_startup function. The C object file produced by ocamlc -output-obj can then be linked with C code using the standard C compiler, or stored in a C library.

The caml_startup function must be called from the main C program in order to initialize the OCaml runtime and execute the OCaml initialization code. Just like caml_main, it takes one argv parameter containing the command-line parameters. Unlike caml_main, this argv parameter is used only to initialize Sys.argv, but not for finding the name of the executable file.

The caml_startup function calls the uncaught exception handler (or enters the debugger, if running under ocamldebug) if an exception escapes from a top-level module initialiser. Such exceptions may be caught in the C code by instead using the caml_startup_exn function and testing the result using Is_exception_result (followed by Extract_exception if appropriate).

The -output-obj option can also be used to obtain the C source file. More interestingly, the same option can also produce directly a shared library (.so file, .dll under Windows) that contains the OCaml code, the OCaml runtime system and any other static C code given to ocamlc (.o, .a, respectively, .obj, .lib). This use of -output-obj is very similar to a normal linking step, but instead of producing a main program that automatically runs the OCaml code, it produces a shared library that can run the OCaml code on demand. The three possible behaviors of -output-obj are selected according to the extension of the resulting file (given with -o).

The native-code compiler ocamlopt also supports the -output-obj option, causing it to output a C object file or a shared library containing the native code for all OCaml modules on the command-line, as well as the OCaml startup code. Initialization is performed by calling caml_startup (or caml_startup_exn) as in the case of the bytecode compiler.

For the final linking phase, in addition to the object file produced by -output-obj, you will have to provide the OCaml runtime library (libcamlrun.a for bytecode, libasmrun.a for native-code), as well as all C libraries that are required by the OCaml libraries used. For instance, assume the OCaml part of your program uses the Unix library. With ocamlc, you should do:

        ocamlc -output-obj -o camlcode.o unix.cma other .cmo and .cma files
        cc -o myprog C objects and libraries \
           camlcode.o -L‘ocamlc -where‘ -lunix -lcamlrun

With ocamlopt, you should do:

        ocamlopt -output-obj -o camlcode.o unix.cmxa other .cmx and .cmxa files
        cc -o myprog C objects and libraries \
           camlcode.o -L‘ocamlc -where‘ -lunix -lasmrun
Warning:

On some ports, special options are required on the final linking phase that links together the object file produced by the -output-obj option and the remainder of the program. Those options are shown in the configuration file config/Makefile generated during compilation of OCaml, as the variables BYTECCLINKOPTS (for object files produced by ocamlc -output-obj) and NATIVECCLINKOPTS (for object files produced by ocamlopt -output-obj).

Stack backtraces.

When OCaml bytecode produced by ocamlc -g is embedded in a C program, no debugging information is included, and therefore it is impossible to print stack backtraces on uncaught exceptions. This is not the case when native code produced by ocamlopt -g is embedded in a C program: stack backtrace information is available, but the backtrace mechanism needs to be turned on programmatically. This can be achieved from the OCaml side by calling Printexc.record_backtrace true in the initialization of one of the OCaml modules. This can also be achieved from the C side by calling caml_record_backtrace(Val_int(1)); in the OCaml-C glue code.

19.8  Advanced example with callbacks

This section illustrates the callback facilities described in section 19.7. We are going to package some OCaml functions in such a way that they can be linked with C code and called from C just like any C functions. The OCaml functions are defined in the following mod.ml OCaml source:

(* File mod.ml -- some "useful" OCaml functions *)

let rec fib n = if n < 2 then 1 else fib(n-1) + fib(n-2)

let format_result n = Printf.sprintf "Result is: %d\n" n

(* Export those two functions to C *)

let _ = Callback.register "fib" fib
let _ = Callback.register "format_result" format_result

Here is the C stub code for calling these functions from C:

/* File modwrap.c -- wrappers around the OCaml functions */

#include <stdio.h>
#include <string.h>
#include <caml/mlvalues.h>
#include <caml/callback.h>

int fib(int n)
{
  static value * fib_closure = NULL;
  if (fib_closure == NULL) fib_closure = caml_named_value("fib");
  return Int_val(caml_callback(*fib_closure, Val_int(n)));
}

char * format_result(int n)
{
  static value * format_result_closure = NULL;
  if (format_result_closure == NULL)
    format_result_closure = caml_named_value("format_result");
  return strdup(String_val(caml_callback(*format_result_closure, Val_int(n))));
  /* We copy the C string returned by String_val to the C heap
     so that it remains valid after garbage collection. */
}

We now compile the OCaml code to a C object file and put it in a C library along with the stub code in modwrap.c and the OCaml runtime system:

        ocamlc -custom -output-obj -o modcaml.o mod.ml
        ocamlc -c modwrap.c
        cp `ocamlc -where`/libcamlrun.a mod.a && chmod +w mod.a
        ar r mod.a modcaml.o modwrap.o

(One can also use ocamlopt -output-obj instead of ocamlc -custom -output-obj. In this case, replace libcamlrun.a (the bytecode runtime library) by libasmrun.a (the native-code runtime library).)

Now, we can use the two functions fib and format_result in any C program, just like regular C functions. Just remember to call caml_startup (or caml_startup_exn) once before.

/* File main.c -- a sample client for the OCaml functions */

#include <stdio.h>
#include <caml/callback.h>

extern int fib(int n);
extern char * format_result(int n);

int main(int argc, char ** argv)
{
  int result;

  /* Initialize OCaml code */
  caml_startup(argv);
  /* Do some computation */
  result = fib(10);
  printf("fib(10) = %s\n", format_result(result));
  return 0;
}

To build the whole program, just invoke the C compiler as follows:

        cc -o prog -I `ocamlc -where` main.c mod.a -lcurses

(On some machines, you may need to put -ltermcap or -lcurses -ltermcap instead of -lcurses.)

19.9  Advanced topic: custom blocks

Blocks with tag Custom_tag contain both arbitrary user data and a pointer to a C struct, with type struct custom_operations, that associates user-provided finalization, comparison, hashing, serialization and deserialization functions to this block.

19.9.1  The struct custom_operations

The struct custom_operations is defined in <caml/custom.h> and contains the following fields:

Note: the finalize, compare, hash, serialize and deserialize functions attached to custom block descriptors must never trigger a garbage collection. Within these functions, do not call any of the OCaml allocation functions, and do not perform a callback into OCaml code. Do not use CAMLparam to register the parameters to these functions, and do not use CAMLreturn to return the result.

19.9.2  Allocating custom blocks

Custom blocks must be allocated via the caml_alloc_custom function:

caml_alloc_custom(ops, size, used, max)

returns a fresh custom block, with room for size bytes of user data, and whose associated operations are given by ops (a pointer to a struct custom_operations, usually statically allocated as a C global variable).

The two parameters used and max are used to control the speed of garbage collection when the finalized object contains pointers to out-of-heap resources. Generally speaking, the OCaml incremental major collector adjusts its speed relative to the allocation rate of the program. The faster the program allocates, the harder the GC works in order to reclaim quickly unreachable blocks and avoid having large amount of “floating garbage” (unreferenced objects that the GC has not yet collected).

Normally, the allocation rate is measured by counting the in-heap size of allocated blocks. However, it often happens that finalized objects contain pointers to out-of-heap memory blocks and other resources (such as file descriptors, X Windows bitmaps, etc.). For those blocks, the in-heap size of blocks is not a good measure of the quantity of resources allocated by the program.

The two arguments used and max give the GC an idea of how much out-of-heap resources are consumed by the finalized block being allocated: you give the amount of resources allocated to this object as parameter used, and the maximum amount that you want to see in floating garbage as parameter max. The units are arbitrary: the GC cares only about the ratio used / max.

For instance, if you are allocating a finalized block holding an X Windows bitmap of w by h pixels, and you’d rather not have more than 1 mega-pixels of unreclaimed bitmaps, specify used = w * h and max = 1000000.

Another way to describe the effect of the used and max parameters is in terms of full GC cycles. If you allocate many custom blocks with used / max = 1 / N, the GC will then do one full cycle (examining every object in the heap and calling finalization functions on those that are unreachable) every N allocations. For instance, if used = 1 and max = 1000, the GC will do one full cycle at least every 1000 allocations of custom blocks.

If your finalized blocks contain no pointers to out-of-heap resources, or if the previous discussion made little sense to you, just take used = 0 and max = 1. But if you later find that the finalization functions are not called “often enough”, consider increasing the used / max ratio.

19.9.3  Accessing custom blocks

The data part of a custom block v can be accessed via the pointer Data_custom_val(v). This pointer has type void * and should be cast to the actual type of the data stored in the custom block.

The contents of custom blocks are not scanned by the garbage collector, and must therefore not contain any pointer inside the OCaml heap. In other terms, never store an OCaml value in a custom block, and do not use Field, Store_field nor caml_modify to access the data part of a custom block. Conversely, any C data structure (not containing heap pointers) can be stored in a custom block.

19.9.4  Writing custom serialization and deserialization functions

The following functions, defined in <caml/intext.h>, are provided to write and read back the contents of custom blocks in a portable way. Those functions handle endianness conversions when e.g. data is written on a little-endian machine and read back on a big-endian machine.

FunctionAction
caml_serialize_int_1Write a 1-byte integer
caml_serialize_int_2Write a 2-byte integer
caml_serialize_int_4Write a 4-byte integer
caml_serialize_int_8Write a 8-byte integer
caml_serialize_float_4Write a 4-byte float
caml_serialize_float_8Write a 8-byte float
caml_serialize_block_1Write an array of 1-byte quantities
caml_serialize_block_2Write an array of 2-byte quantities
caml_serialize_block_4Write an array of 4-byte quantities
caml_serialize_block_8Write an array of 8-byte quantities
caml_deserialize_uint_1Read an unsigned 1-byte integer
caml_deserialize_sint_1Read a signed 1-byte integer
caml_deserialize_uint_2Read an unsigned 2-byte integer
caml_deserialize_sint_2Read a signed 2-byte integer
caml_deserialize_uint_4Read an unsigned 4-byte integer
caml_deserialize_sint_4Read a signed 4-byte integer
caml_deserialize_uint_8Read an unsigned 8-byte integer
caml_deserialize_sint_8Read a signed 8-byte integer
caml_deserialize_float_4Read a 4-byte float
caml_deserialize_float_8Read an 8-byte float
caml_deserialize_block_1Read an array of 1-byte quantities
caml_deserialize_block_2Read an array of 2-byte quantities
caml_deserialize_block_4Read an array of 4-byte quantities
caml_deserialize_block_8Read an array of 8-byte quantities
caml_deserialize_errorSignal an error during deserialization; input_value or Marshal.from_... raise a Failure exception after cleaning up their internal data structures

Serialization functions are attached to the custom blocks to which they apply. Obviously, deserialization functions cannot be attached this way, since the custom block does not exist yet when deserialization begins! Thus, the struct custom_operations that contain deserialization functions must be registered with the deserializer in advance, using the register_custom_operations function declared in <caml/custom.h>. Deserialization proceeds by reading the identifier off the input stream, allocating a custom block of the size specified in the input stream, searching the registered struct custom_operation blocks for one with the same identifier, and calling its deserialize function to fill the data part of the custom block.

19.9.5  Choosing identifiers

Identifiers in struct custom_operations must be chosen carefully, since they must identify uniquely the data structure for serialization and deserialization operations. In particular, consider including a version number in the identifier; this way, the format of the data can be changed later, yet backward-compatible deserialisation functions can be provided.

Identifiers starting with _ (an underscore character) are reserved for the OCaml runtime system; do not use them for your custom data. We recommend to use a URL (http://mymachine.mydomain.com/mylibrary/version-number) or a Java-style package name (com.mydomain.mymachine.mylibrary.version-number) as identifiers, to minimize the risk of identifier collision.

19.9.6  Finalized blocks

Custom blocks generalize the finalized blocks that were present in OCaml prior to version 3.00. For backward compatibility, the format of custom blocks is compatible with that of finalized blocks, and the alloc_final function is still available to allocate a custom block with a given finalization function, but default comparison, hashing and serialization functions. caml_alloc_final(n, f, used, max) returns a fresh custom block of size n words, with finalization function f. The first word is reserved for storing the custom operations; the other n-1 words are available for your data. The two parameters used and max are used to control the speed of garbage collection, as described for caml_alloc_custom.

19.10  Advanced topic: cheaper C call

This section describe how to make calling C functions cheaper.

Note: this only applies to the native compiler. So whenever you use any of these methods, you have to provide an alternative byte-code stub that ignores all the special annotations.

19.10.1  Passing unboxed values

We said earlier that all OCaml objects are represented by the C type value, and one has to use macros such as Int_val to decode data from the value type. It is however possible to tell OCaml to do this for us and pass arguments unboxed to the C function. Similarly it is possible to tell OCaml to expect the result unboxed and box it for us.

The motivation is that, by letting the OCaml compiler deal with boxing, it can often decide to suppress it entirely.

For instance let’s consider this example:

external foo : float -> float -> float = "foo"

let f a b =
  let len = Array.length a in
  assert (Array.length b = len);
  let res = Array.make len 0. in
  for i = 0 to len - 1 do
    res.(i) <- foo a.(i) b.(i)
  done

Float arrays are unboxed in OCaml, however the C function foo expect its arguments as boxed floats and returns a boxed float. Hence the OCaml compiler has no choice but to box a.(i) and b.(i) and unbox the result of foo. This results in the allocation of 3 * len temporary float values.

Now if we annotate the arguments and result with [@unboxed], the compiler will be able to avoid all these allocations:

external foo
  :  (float [@unboxed])
  -> (float [@unboxed])
  -> (float [@unboxed])
  = "foo_byte" "foo"

In this case the C functions must look like:

CAMLprim double foo(double a, double b)
{
  ...
}

CAMLprim value foo_byte(value a, value b)
{
  return caml_copy_double(foo(Double_val(a), Double_val(b)))
}

For convenicence, when all arguments and the result are annotated with [@unboxed], it is possible to put the attribute only once on the declaration itself. So we can also write instead:

external foo : float -> float -> float = "foo_byte" "foo" [@@unboxed]

The following table summarize what OCaml types can be unboxed, and what C types should be used in correspondence:

OCaml typeC type
floatdouble
int32int32_t
int64int64_t
nativeintintnat

Similarly, it is possible to pass untagged OCaml integers between OCaml and C. This is done by annotating the arguments and/or result with [@untagged]:

external f : string -> (int [@untagged]) = "f_byte" "f"

The corresponding C type must be intnat.

Note: do not use the C int type in correspondence with (int [@untagged]). This is because they often differ in size.

19.10.2  Direct C call

In order to be able to run the garbage collector in the middle of a C function, the OCaml compiler generates some bookkeeping code around C calls. Technically it wraps every C call with the C function caml_c_call which is part of the OCaml runtime.

For small functions that are called repeatedly, this indirection can have a big impact on performances. However this is not needed if we know that the C function doesn’t allocate and doesn’t raise exceptions. We can instruct the OCaml compiler of this fact by annotating the external declaration with the attribute [@@noalloc]:

external bar : int -> int -> int = "foo" [@@noalloc]

In this case calling bar from OCaml is as cheap as calling any other OCaml function, except for the fact that the OCaml compiler can’t inline C functions...

19.10.3  Example: calling C library functions without indirection

Using these attributes, it is possible to call C library functions with no indirection. For instance many math functions are defined this way in the OCaml standard library:

external sqrt : float -> float = "caml_sqrt_float" "sqrt"
  [@@unboxed] [@@noalloc]
(** Square root. *)

external exp : float -> float = "caml_exp_float" "exp" [@@unboxed] [@@noalloc]
(** Exponential. *)

external log : float -> float = "caml_log_float" "log" [@@unboxed] [@@noalloc]
(** Natural logarithm. *)

19.11  Advanced topic: multithreading

Using multiple threads (shared-memory concurrency) in a mixed OCaml/C application requires special precautions, which are described in this section.

19.11.1  Registering threads created from C

Callbacks from C to OCaml are possible only if the calling thread is known to the OCaml run-time system. Threads created from OCaml (through the Thread.create function of the system threads library) are automatically known to the run-time system. If the application creates additional threads from C and wishes to callback into OCaml code from these threads, it must first register them with the run-time system. The following functions are declared in the include file <caml/threads.h>.

19.11.2  Parallel execution of long-running C code

The OCaml run-time system is not reentrant: at any time, at most one thread can be executing OCaml code or C code that uses the OCaml run-time system. Technically, this is enforced by a “master lock” that any thread must hold while executing such code.

When OCaml calls the C code implementing a primitive, the master lock is held, therefore the C code has full access to the facilities of the run-time system. However, no other thread can execute OCaml code concurrently with the C code of the primitive.

If a C primitive runs for a long time or performs potentially blocking input-output operations, it can explicitly release the master lock, enabling other OCaml threads to run concurrently with its operations. The C code must re-acquire the master lock before returning to OCaml. This is achieved with the following functions, declared in the include file <caml/threads.h>.

After caml_release_runtime_system() was called and until caml_acquire_runtime_system() is called, the C code must not access any OCaml data, nor call any function of the run-time system, nor call back into OCaml code. Consequently, arguments provided by OCaml to the C primitive must be copied into C data structures before calling caml_release_runtime_system(), and results to be returned to OCaml must be encoded as OCaml values after caml_acquire_runtime_system() returns.

Example: the following C primitive invokes gethostbyname to find the IP address of a host name. The gethostbyname function can block for a long time, so we choose to release the OCaml run-time system while it is running.

CAMLprim stub_gethostbyname(value vname)
{
  CAMLparam1 (vname);
  CAMLlocal1 (vres);
  struct hostent * h;
  char * name;

  /* Copy the string argument to a C string, allocated outside the
     OCaml heap. */
  name = caml_stat_alloc(caml_string_length(vname) + 1);
  name = caml_strdup(String_val(vname));
  /* Release the OCaml run-time system */
  caml_release_runtime_system();
  /* Resolve the name */
  h = gethostbyname(name);
  /* Free the copy of the string, which we might as well do before
     acquiring the runtime system to benefit from parallelism. */
  caml_stat_free(name);
  /* Re-acquire the OCaml run-time system */
  caml_acquire_runtime_system();
  /* Encode the relevant fields of h as the OCaml value vres */
  ... /* Omitted */
  /* Return to OCaml */
  CAMLreturn (vres);
}

Callbacks from C to OCaml must be performed while holding the master lock to the OCaml run-time system. This is naturally the case if the callback is performed by a C primitive that did not release the run-time system. If the C primitive released the run-time system previously, or the callback is performed from other C code that was not invoked from OCaml (e.g. an event loop in a GUI application), the run-time system must be acquired before the callback and released after:

  caml_acquire_runtime_system();
  /* Resolve OCaml function vfun to be invoked */
  /* Build OCaml argument varg to the callback */
  vres = callback(vfun, varg);
  /* Copy relevant parts of result vres to C data structures */
  caml_release_runtime_system();

Note: the acquire and release functions described above were introduced in OCaml 3.12. Older code uses the following historical names, declared in <caml/signals.h>:

Intuition: a “blocking section” is a piece of C code that does not use the OCaml run-time system, typically a blocking input/output operation.

19.12  Building mixed C/OCaml libraries: ocamlmklib

The ocamlmklib command facilitates the construction of libraries containing both OCaml code and C code, and usable both in static linking and dynamic linking modes. This command is available under Windows since Objective Caml 3.11 and under other operating systems since Objective Caml 3.03.

The ocamlmklib command takes three kinds of arguments:

It generates the following outputs:

In addition, the following options are recognized:

-cclib, -ccopt, -I, -linkall
These options are passed as is to ocamlc or ocamlopt. See the documentation of these commands.
-rpath, -R, -Wl,-rpath, -Wl,-R
These options are passed as is to the C compiler. Refer to the documentation of the C compiler.
-custom
Force the construction of a statically linked library only, even if dynamic linking is supported.
-failsafe
Fall back to building a statically linked library if a problem occurs while building the shared library (e.g. some of the support libraries are not available as shared libraries).
-Ldir
Add dir to the search path for support libraries (-llib).
-ocamlc cmd
Use cmd instead of ocamlc to call the bytecode compiler.
-ocamlopt cmd
Use cmd instead of ocamlopt to call the native-code compiler.
-o output
Set the name of the generated OCaml library. ocamlmklib will generate output.cma and/or output.cmxa. If not specified, defaults to a.
-oc outputc
Set the name of the generated C library. ocamlmklib will generate liboutputc.so (if shared libraries are supported) and liboutputc.a. If not specified, defaults to the output name given with -o.

On native Windows, the following environment variable is also consulted:

OCAML_FLEXLINK
Alternative executable to use instead of the configured value. Primarily used for bootstrapping.
Example

Consider an OCaml interface to the standard libz C library for reading and writing compressed files. Assume this library resides in /usr/local/zlib. This interface is composed of an OCaml part zip.cmo/zip.cmx and a C part zipstubs.o containing the stub code around the libz entry points. The following command builds the OCaml libraries zip.cma and zip.cmxa, as well as the companion C libraries dllzip.so and libzip.a:

ocamlmklib -o zip zip.cmo zip.cmx zipstubs.o -lz -L/usr/local/zlib

If shared libraries are supported, this performs the following commands:

ocamlc -a -o zip.cma zip.cmo -dllib -lzip \
        -cclib -lzip -cclib -lz -ccopt -L/usr/local/zlib
ocamlopt -a -o zip.cmxa zip.cmx -cclib -lzip \
        -cclib -lzip -cclib -lz -ccopt -L/usr/local/zlib
gcc -shared -o dllzip.so zipstubs.o -lz -L/usr/local/zlib
ar rc libzip.a zipstubs.o

Note: This example is on a Unix system. The exact command lines may be different on other systems.

If shared libraries are not supported, the following commands are performed instead:

ocamlc -a -custom -o zip.cma zip.cmo -cclib -lzip \
        -cclib -lz -ccopt -L/usr/local/zlib
ocamlopt -a -o zip.cmxa zip.cmx -lzip \
        -cclib -lz -ccopt -L/usr/local/zlib
ar rc libzip.a zipstubs.o

Instead of building simultaneously the bytecode library, the native-code library and the C libraries, ocamlmklib can be called three times to build each separately. Thus,

ocamlmklib -o zip zip.cmo -lz -L/usr/local/zlib

builds the bytecode library zip.cma, and

ocamlmklib -o zip zip.cmx -lz -L/usr/local/zlib

builds the native-code library zip.cmxa, and

ocamlmklib -o zip zipstubs.o -lz -L/usr/local/zlib

builds the C libraries dllzip.so and libzip.a. Notice that the support libraries (-lz) and the corresponding options (-L/usr/local/zlib) must be given on all three invocations of ocamlmklib, because they are needed at different times depending on whether shared libraries are supported.


Previous Up Next ocaml-doc-4.05/ocaml.html/foreword.html0000644000175000017500000000765513131636457017037 0ustar mehdimehdi Foreword Previous Up Next

Foreword

This manual documents the release 4.05 of the OCaml system. It is organized as follows.

Conventions

OCaml runs on several operating systems. The parts of this manual that are specific to one operating system are presented as shown below:

Unix:   This is material specific to the Unix family of operating systems, including Linux and MacOS X.
Windows:   This is material specific to Microsoft Windows (XP, Vista, 7, 8, 10).

License

The OCaml system is copyright © 1996–2013 Institut National de Recherche en Informatique et en Automatique (INRIA). INRIA holds all ownership rights to the OCaml system.

The OCaml system is open source and can be freely redistributed. See the file LICENSE in the distribution for licensing information.

The present documentation is copyright © 2013 Institut National de Recherche en Informatique et en Automatique (INRIA). The OCaml documentation and user’s manual may be reproduced and distributed in whole or in part, subject to the following conditions:

Availability

The complete OCaml distribution can be accessed via the community Caml Web site and the older Caml Web site. The community Caml Web site contains a lot of additional information on OCaml.


Previous Up Next ocaml-doc-4.05/ocaml.html/manual047.html0000644000175000017500000004064313131636457016712 0ustar mehdimehdi Index of keywords Previous Up

Index of keywords


Previous Up ocaml-doc-4.05/ocaml.html/afl-fuzz.html0000644000175000017500000000766513131636457016747 0ustar mehdimehdi Chapter 22  Fuzzing with afl-fuzz Previous Up Next

Chapter 22  Fuzzing with afl-fuzz

22.1  Overview

American fuzzy lop (“afl-fuzz”) is a fuzzer, a tool for testing software by providing randomly-generated inputs, searching for those inputs which cause the program to crash.

Unlike most fuzzers, afl-fuzz observes the internal behaviour of the program being tested, and adjusts the test cases it generates to trigger unexplored execution paths. As a result, test cases generated by afl-fuzz cover more of the possible behaviours of the tested program than other fuzzers.

This requires that programs to be tested are instrumented to communicate with afl-fuzz. The native-code compiler “ocamlopt” can generate such instrumentation, allowing afl-fuzz to be used against programs written in OCaml.

For more information on afl-fuzz, see the website at http://lcamtuf.coredump.cx/afl/.

22.2  Generating instrumentation

The instrumentation that afl-fuzz requires is not generated by default, and must be explicitly enabled, by passing the -afl-instrument option to ocamlopt.

To fuzz a large system without modifying build tools, OCaml’s configure script also accepts the afl-instrument option. If OCaml is configured with afl-instrument, then all programs compiled by ocamlopt will be instrumented.

22.2.1  Advanced options

In rare cases, it is useful to control the amount of instrumentation generated. By passing the -afl-inst-ratio N argument to ocamlopt with N less than 100, instrumentation can be generated for only N% of branches. (See the afl-fuzz documentation on the parameter AFL_INST_RATIO for the precise effect of this).

22.3  Example

As an example, we fuzz-test the following program, readline.ml:

let _ =
  let s = read_line () in
  match Array.to_list (Array.init (String.length s) (String.get s)) with
    ['s'; 'e'; 'c'; 'r'; 'e'; 't'; ' '; 'c'; 'o'; 'd'; 'e'] -> failwith "uh oh"
  | _ -> ()

There is a single input (the string “secret code”) which causes this program to crash, but finding it by blind random search is infeasible.

Instead, we compile with afl-fuzz instrumentation enabled:

ocamlopt -afl-instrument readline.ml -o readline

Next, we run the program under afl-fuzz:

mkdir input
echo asdf > input/testcase
mkdir output
afl-fuzz -i input -o output ./readline

By inspecting instrumentation output, the fuzzer finds the crashing input quickly.


Previous Up Next ocaml-doc-4.05/ocaml.html/libthreads.html0000644000175000017500000000766113131636457017326 0ustar mehdimehdi Chapter 29  The threads library Previous Up Next

Chapter 29  The threads library

The threads library allows concurrent programming in OCaml. It provides multiple threads of control (also called lightweight processes) that execute concurrently in the same memory space. Threads communicate by in-place modification of shared data structures, or by sending and receiving data on communication channels.

The threads library is implemented by time-sharing on a single processor. It will not take advantage of multi-processor machines. Using this library will therefore never make programs run faster. However, many programs are easier to write when structured as several communicating processes.

Two implementations of the threads library are available, depending on the capabilities of the operating system:

Programs that use system threads must be linked as follows:

        ocamlc -thread other options unix.cma threads.cma other files
        ocamlopt -thread other options unix.cmxa threads.cmxa other files

Compilation units that use the threads library must also be compiled with the -thread option (see chapter 8).

Programs that use VM-level threads must be compiled with the -vmthread option to ocamlc (see chapter 8), and be linked as follows:

        ocamlc -vmthread other options threads.cma other files

Compilation units that use threads library must also be compiled with the -vmthread option (see chapter 8).


Previous Up Next ocaml-doc-4.05/ocaml.html/expr.html0000644000175000017500000034646113131636457016167 0ustar mehdimehdi 6.7  Expressions Previous Up Next

6.7  Expressions

expr::= value-path  
  constant  
  ( expr )  
  begin expr end  
  ( expr :  typexpr )  
  expr  {, expr}+  
  constr  expr  
  `tag-name  expr  
  expr ::  expr  
  [ expr  { ; expr }  [;]  
  [| expr  { ; expr }  [;|]  
  { field  [: typexpr=  expr { ; field  [: typexpr=  expr }  [;}  
  { expr with  field  [: typexpr=  expr { ; field  [: typexpr=  expr }  [;}  
  expr  { argument }+  
  prefix-symbol  expr  
  - expr  
  -. expr  
  expr  infix-op  expr  
  expr .  field  
  expr .  field <-  expr  
  expr .(  expr )  
  expr .(  expr ) <-  expr  
  expr .[  expr ]  
  expr .[  expr ] <-  expr  
  if expr then  expr  [ else expr ]  
  while expr do  expr done  
  for value-name =  expr  ( to ∣  downto ) expr do  expr done  
  expr ;  expr  
  match expr with  pattern-matching  
  function pattern-matching  
  fun { parameter }+  [ : typexpr ] ->  expr  
  try expr with  pattern-matching  
  let [reclet-binding  { and let-binding } in  expr  
  new class-path  
  object class-body end  
  expr #  method-name  
  inst-var-name  
  inst-var-name <-  expr  
  ( expr :>  typexpr )  
  ( expr :  typexpr :>  typexpr )  
  {< [ inst-var-name =  expr  { ; inst-var-name =  expr }  [;] ] >}  
  assert expr  
  lazy expr  
  let module module-name  { ( module-name :  module-type ) }  [ : module-type ]  =  module-expr in  expr 
 
argument::= expr  
  ~ label-name  
  ~ label-name :  expr  
  ? label-name  
  ? label-name :  expr  
 
pattern-matching::=| ] pattern  [when expr->  expr  { | pattern  [when expr->  expr }  
 
let-binding::= pattern =  expr  
  value-name  { parameter }  [: typexpr]  [:> typexpr=  expr  
 
parameter::= pattern  
  ~ label-name  
  ~ ( label-name  [: typexpr)  
  ~ label-name :  pattern  
  ? label-name  
  ? ( label-name  [: typexpr]  [= expr)  
  ? label-name :  pattern  
  ? label-name : (  pattern  [: typexpr]  [= expr)

See also the following language extensions: local opens, record and object notations, explicit polymorphic type annotations, first-class modules, overriding in open statements, syntax for Bigarray access, attributes, extension nodes and local exceptions.

The table below shows the relative precedences and associativity of operators and non-closed constructions. The constructions with higher precedence come first. For infix and prefix symbols, we write “*…” to mean “any symbol starting with *”.

Construction or operatorAssociativity
prefix-symbol
. .( .[ .{ (see section 7.17)
#
function application, constructor application, tag application, assert, lazyleft
- -. (prefix)
** lsl lsr asrright
* / % mod land lor lxorleft
+ -left
::right
@ ^right
= < > | & $ !=left
& &&right
or ||right
,
<- :=right
if
;right
let match fun function try

6.7.1  Basic expressions

Constants

An expression consisting in a constant evaluates to this constant.

Value paths

An expression consisting in an access path evaluates to the value bound to this path in the current evaluation environment. The path can be either a value name or an access path to a value component of a module.

Parenthesized expressions

The expressions ( expr ) and begin expr end have the same value as expr. The two constructs are semantically equivalent, but it is good style to use beginend inside control structures:

        if … then begin … ; … end else begin … ; … end

and () for the other grouping situations.

Parenthesized expressions can contain a type constraint, as in ( expr :  typexpr ). This constraint forces the type of expr to be compatible with typexpr.

Parenthesized expressions can also contain coercions ( expr  [: typexpr] :>  typexpr) (see subsection 6.7.6 below).

Function application

Function application is denoted by juxtaposition of (possibly labeled) expressions. The expression expr  argument1 …  argumentn evaluates the expression expr and those appearing in argument1 to argumentn. The expression expr must evaluate to a functional value f, which is then applied to the values of argument1, …,  argumentn.

The order in which the expressions expr,  argument1, …,  argumentn are evaluated is not specified.

Arguments and parameters are matched according to their respective labels. Argument order is irrelevant, except among arguments with the same label, or no label.

If a parameter is specified as optional (label prefixed by ?) in the type of expr, the corresponding argument will be automatically wrapped with the constructor Some, except if the argument itself is also prefixed by ?, in which case it is passed as is. If a non-labeled argument is passed, and its corresponding parameter is preceded by one or several optional parameters, then these parameters are defaulted, i.e. the value None will be passed for them. All other missing parameters (without corresponding argument), both optional and non-optional, will be kept, and the result of the function will still be a function of these missing parameters to the body of f.

As a special case, if the function has a known arity, all the arguments are unlabeled, and their number matches the number of non-optional parameters, then labels are ignored and non-optional parameters are matched in their definition order. Optional arguments are defaulted.

In all cases but exact match of order and labels, without optional parameters, the function type should be known at the application point. This can be ensured by adding a type constraint. Principality of the derivation can be checked in the -principal mode.

Function definition

Two syntactic forms are provided to define functions. The first form is introduced by the keyword function:

functionpattern1->expr1 
|… 
|patternn->exprn

This expression evaluates to a functional value with one argument. When this function is applied to a value v, this value is matched against each pattern pattern1 to patternn. If one of these matchings succeeds, that is, if the value v matches the pattern patterni for some i, then the expression expri associated to the selected pattern is evaluated, and its value becomes the value of the function application. The evaluation of expri takes place in an environment enriched by the bindings performed during the matching.

If several patterns match the argument v, the one that occurs first in the function definition is selected. If none of the patterns matches the argument, the exception Match_failure is raised.


The other form of function definition is introduced by the keyword fun:

fun parameter1 …  parametern ->  expr

This expression is equivalent to:

fun parameter1 ->fun  parametern ->  expr

An optional type constraint typexpr can be added before -> to enforce the type of the result to be compatible with the constraint typexpr:

fun parameter1 …  parametern :  typexpr ->  expr

is equivalent to

fun parameter1 ->fun  parametern ->  (expr :  typexpr )

Beware of the small syntactic difference between a type constraint on the last parameter

fun parameter1 …  (parametern: typexpr)->  expr

and one on the result

fun parameter1 …  parametern:  typexpr ->  expr

The parameter patterns ~lab and ~(lab  [: typ]) are shorthands for respectively ~lab: lab and ~lab:( lab  [: typ]), and similarly for their optional counterparts.

A function of the form fun ? lab :(  pattern =  expr0 ) ->  expr is equivalent to

fun ? lab :  ident -> let  pattern = match  ident with Some  ident ->  ident | None ->  expr0 in  expr

where ident is a fresh variable, except that it is unspecified when expr0 is evaluated.

After these two transformations, expressions are of the form

fun [label1]  pattern1 ->fun  [labeln]  patternn ->  expr

If we ignore labels, which will only be meaningful at function application, this is equivalent to

function pattern1 ->function  patternn ->  expr

That is, the fun expression above evaluates to a curried function with n arguments: after applying this function n times to the values v1vn, the values will be matched in parallel against the patterns pattern1 …  patternn. If the matching succeeds, the function returns the value of expr in an environment enriched by the bindings performed during the matchings. If the matching fails, the exception Match_failure is raised.

Guards in pattern-matchings

The cases of a pattern matching (in the function, match and try constructs) can include guard expressions, which are arbitrary boolean expressions that must evaluate to true for the match case to be selected. Guards occur just before the -> token and are introduced by the when keyword:

functionpattern1   [when   cond1]->expr1 
|… 
|patternn    [when   condn]->exprn

Matching proceeds as described before, except that if the value matches some pattern patterni which has a guard condi, then the expression condi is evaluated (in an environment enriched by the bindings performed during matching). If condi evaluates to true, then expri is evaluated and its value returned as the result of the matching, as usual. But if condi evaluates to false, the matching is resumed against the patterns following patterni.

Local definitions

The let and let rec constructs bind value names locally. The construct

let pattern1 =  expr1 andand  patternn =  exprn in  expr

evaluates expr1 …  exprn in some unspecified order and matches their values against the patterns pattern1 …  patternn. If the matchings succeed, expr is evaluated in the environment enriched by the bindings performed during matching, and the value of expr is returned as the value of the whole let expression. If one of the matchings fails, the exception Match_failure is raised.

An alternate syntax is provided to bind variables to functional values: instead of writing

let ident = fun  parameter1 …  parameterm ->  expr

in a let expression, one may instead write

let ident  parameter1 …  parameterm =  expr


Recursive definitions of names are introduced by let rec:

let rec pattern1 =  expr1 andand  patternn =  exprn in  expr

The only difference with the let construct described above is that the bindings of names to values performed by the pattern-matching are considered already performed when the expressions expr1 to exprn are evaluated. That is, the expressions expr1 to exprn can reference identifiers that are bound by one of the patterns pattern1, …,  patternn, and expect them to have the same value as in expr, the body of the let rec construct.

The recursive definition is guaranteed to behave as described above if the expressions expr1 to exprn are function definitions (fun … or function …), and the patterns pattern1 …  patternn are just value names, as in:

let rec name1 = funandand  namen = funin  expr

This defines name1 …  namen as mutually recursive functions local to expr.

The behavior of other forms of let rec definitions is implementation-dependent. The current implementation also supports a certain class of recursive definitions of non-functional values, as explained in section 7.2.

6.7.2  Control structures

Sequence

The expression expr1 ;  expr2 evaluates expr1 first, then expr2, and returns the value of expr2.

Conditional

The expression if expr1 then  expr2 else  expr3 evaluates to the value of expr2 if expr1 evaluates to the boolean true, and to the value of expr3 if expr1 evaluates to the boolean false.

The else expr3 part can be omitted, in which case it defaults to else ().

Case expression

The expression

matchexpr 
withpattern1->expr1 
|… 
|patternn->exprn

matches the value of expr against the patterns pattern1 to patternn. If the matching against patterni succeeds, the associated expression expri is evaluated, and its value becomes the value of the whole match expression. The evaluation of expri takes place in an environment enriched by the bindings performed during matching. If several patterns match the value of expr, the one that occurs first in the match expression is selected. If none of the patterns match the value of expr, the exception Match_failure is raised.

Boolean operators

The expression expr1 &&  expr2 evaluates to true if both expr1 and expr2 evaluate to true; otherwise, it evaluates to false. The first component, expr1, is evaluated first. The second component, expr2, is not evaluated if the first component evaluates to false. Hence, the expression expr1 &&  expr2 behaves exactly as

if expr1 then  expr2 else false.

The expression expr1 ||  expr2 evaluates to true if one of the expressions expr1 and expr2 evaluates to true; otherwise, it evaluates to false. The first component, expr1, is evaluated first. The second component, expr2, is not evaluated if the first component evaluates to true. Hence, the expression expr1 ||  expr2 behaves exactly as

if expr1 then true else  expr2.

The boolean operators & and or are deprecated synonyms for (respectively) && and ||.

Loops

The expression while expr1 do  expr2 done repeatedly evaluates expr2 while expr1 evaluates to true. The loop condition expr1 is evaluated and tested at the beginning of each iteration. The whole whiledone expression evaluates to the unit value ().

The expression for name =  expr1 to  expr2 do  expr3 done first evaluates the expressions expr1 and expr2 (the boundaries) into integer values n and p. Then, the loop body expr3 is repeatedly evaluated in an environment where name is successively bound to the values n, n+1, …, p−1, p. The loop body is never evaluated if n > p.

The expression for name =  expr1 downto  expr2 do  expr3 done evaluates similarly, except that name is successively bound to the values n, n−1, …, p+1, p. The loop body is never evaluated if n < p.

In both cases, the whole for expression evaluates to the unit value ().

Exception handling

The expression

try expr 
withpattern1->expr1 
|… 
|patternn->exprn

evaluates the expression expr and returns its value if the evaluation of expr does not raise any exception. If the evaluation of expr raises an exception, the exception value is matched against the patterns pattern1 to patternn. If the matching against patterni succeeds, the associated expression expri is evaluated, and its value becomes the value of the whole try expression. The evaluation of expri takes place in an environment enriched by the bindings performed during matching. If several patterns match the value of expr, the one that occurs first in the try expression is selected. If none of the patterns matches the value of expr, the exception value is raised again, thereby transparently “passing through” the try construct.

6.7.3  Operations on data structures

Products

The expression expr1 ,,  exprn evaluates to the n-tuple of the values of expressions expr1 to exprn. The evaluation order of the subexpressions is not specified.

Variants

The expression constr  expr evaluates to the unary variant value whose constructor is constr, and whose argument is the value of expr. Similarly, the expression constr (  expr1 ,,  exprn ) evaluates to the n-ary variant value whose constructor is constr and whose arguments are the values of expr1, …,  exprn.

The expression constr ( expr1, …,  exprn) evaluates to the variant value whose constructor is constr, and whose arguments are the values of expr1 …  exprn.

For lists, some syntactic sugar is provided. The expression expr1 ::  expr2 stands for the constructor ( :: ) applied to the arguments ( expr1 ,  expr2 ), and therefore evaluates to the list whose head is the value of expr1 and whose tail is the value of expr2. The expression [ expr1 ;;  exprn ] is equivalent to expr1 ::::  exprn :: [], and therefore evaluates to the list whose elements are the values of expr1 to exprn.

Polymorphic variants

The expression `tag-name  expr evaluates to the polymorphic variant value whose tag is tag-name, and whose argument is the value of expr.

Records

The expression { field1 =  expr1 ;;  fieldn =  exprn } evaluates to the record value { field1 = v1; …; fieldn = vn } where vi is the value of expri for i = 1,… , n. The fields field1 to fieldn must all belong to the same record type; each field of this record type must appear exactly once in the record expression, though they can appear in any order. The order in which expr1 to exprn are evaluated is not specified. Optional type constraints can be added after each field { field1 :  typexpr1 =  expr1 ;;  fieldn :  typexprn =  exprn } to force the type of fieldk to be compatible with typexprk.

The expression { expr with  field1 =  expr1 ;;  fieldn =  exprn } builds a fresh record with fields field1 …  fieldn equal to expr1 …  exprn, and all other fields having the same value as in the record expr. In other terms, it returns a shallow copy of the record expr, except for the fields field1 …  fieldn, which are initialized to expr1 …  exprn. As previously, it is possible to add an optional type constraint on each field being updated with { expr with  field1 :  typexpr1 =  expr1 ;;  fieldn :  typexprn =  exprn }.

The expression expr1 .  field evaluates expr1 to a record value, and returns the value associated to field in this record value.

The expression expr1 .  field <-  expr2 evaluates expr1 to a record value, which is then modified in-place by replacing the value associated to field in this record by the value of expr2. This operation is permitted only if field has been declared mutable in the definition of the record type. The whole expression expr1 .  field <-  expr2 evaluates to the unit value ().

Arrays

The expression [| expr1 ;;  exprn |] evaluates to a n-element array, whose elements are initialized with the values of expr1 to exprn respectively. The order in which these expressions are evaluated is unspecified.

The expression expr1 .(  expr2 ) returns the value of element number expr2 in the array denoted by expr1. The first element has number 0; the last element has number n−1, where n is the size of the array. The exception Invalid_argument is raised if the access is out of bounds.

The expression expr1 .(  expr2 ) <-  expr3 modifies in-place the array denoted by expr1, replacing element number expr2 by the value of expr3. The exception Invalid_argument is raised if the access is out of bounds. The value of the whole expression is ().

Strings

The expression expr1 .[  expr2 ] returns the value of character number expr2 in the string denoted by expr1. The first character has number 0; the last character has number n−1, where n is the length of the string. The exception Invalid_argument is raised if the access is out of bounds.

The expression expr1 .[  expr2 ] <-  expr3 modifies in-place the string denoted by expr1, replacing character number expr2 by the value of expr3. The exception Invalid_argument is raised if the access is out of bounds. The value of the whole expression is ().

Note: this possibility is offered only for backward compatibility with older versions of OCaml and will be removed in a future version. New code should use byte sequences and the Bytes.set function.

6.7.4  Operators

Symbols from the class infix-symbol, as well as the keywords *, +, -, -., =, !=, <, >, or, ||, &, &&, :=, mod, land, lor, lxor, lsl, lsr, and asr can appear in infix position (between two expressions). Symbols from the class prefix-symbol, as well as the keywords - and -. can appear in prefix position (in front of an expression).

Infix and prefix symbols do not have a fixed meaning: they are simply interpreted as applications of functions bound to the names corresponding to the symbols. The expression prefix-symbol  expr is interpreted as the application ( prefix-symbol )  expr. Similarly, the expression expr1  infix-symbol  expr2 is interpreted as the application ( infix-symbol )  expr1  expr2.

The table below lists the symbols defined in the initial environment and their initial meaning. (See the description of the core library module Pervasives in chapter 23 for more details). Their meaning may be changed at any time using let ( infix-op )  name1  name2 =

Note: the operators &&, ||, and ~- are handled specially and it is not advisable to change their meaning.

The keywords - and -. can appear both as infix and prefix operators. When they appear as prefix operators, they are interpreted respectively as the functions (~-) and (~-.).

OperatorInitial meaning
+Integer addition.
- (infix)Integer subtraction.
~- - (prefix)Integer negation.
*Integer multiplication.
/Integer division. Raise Division_by_zero if second argument is zero.
modInteger modulus. Raise Division_by_zero if second argument is zero.
landBitwise logical “and” on integers.
lorBitwise logical “or” on integers.
lxorBitwise logical “exclusive or” on integers.
lslBitwise logical shift left on integers.
lsrBitwise logical shift right on integers.
asrBitwise arithmetic shift right on integers.
+.Floating-point addition.
-. (infix)Floating-point subtraction.
~-. -. (prefix)Floating-point negation.
*.Floating-point multiplication.
/.Floating-point division.
**Floating-point exponentiation.
@ List concatenation.
^ String concatenation.
! Dereferencing (return the current contents of a reference).
:=Reference assignment (update the reference given as first argument with the value of the second argument).
= Structural equality test.
<> Structural inequality test.
== Physical equality test.
!= Physical inequality test.
< Test “less than”.
<= Test “less than or equal”.
> Test “greater than”.
>= Test “greater than or equal”.
&& &Boolean conjunction.
|| orBoolean disjunction.

6.7.5  Objects

Object creation

When class-path evaluates to a class body, new class-path evaluates to a new object containing the instance variables and methods of this class.

When class-path evaluates to a class function, new class-path evaluates to a function expecting the same number of arguments and returning a new object of this class.

Immediate object creation

Creating directly an object through the object class-body end construct is operationally equivalent to defining locally a class class-name = object  class-body end —see sections 6.9.2 and following for the syntax of class-body— and immediately creating a single object from it by new class-name.

The typing of immediate objects is slightly different from explicitly defining a class in two respects. First, the inferred object type may contain free type variables. Second, since the class body of an immediate object will never be extended, its self type can be unified with a closed object type.

Method invocation

The expression expr #  method-name invokes the method method-name of the object denoted by expr.

If method-name is a polymorphic method, its type should be known at the invocation site. This is true for instance if expr is the name of a fresh object (let ident = new  class-path … ) or if there is a type constraint. Principality of the derivation can be checked in the -principal mode.

Accessing and modifying instance variables

The instance variables of a class are visible only in the body of the methods defined in the same class or a class that inherits from the class defining the instance variables. The expression inst-var-name evaluates to the value of the given instance variable. The expression inst-var-name <-  expr assigns the value of expr to the instance variable inst-var-name, which must be mutable. The whole expression inst-var-name <-  expr evaluates to ().

Object duplication

An object can be duplicated using the library function Oo.copy (see Module Oo). Inside a method, the expression {< inst-var-name =  expr  { ; inst-var-name =  expr } >} returns a copy of self with the given instance variables replaced by the values of the associated expressions; other instance variables have the same value in the returned object as in self.

6.7.6  Coercions

Expressions whose type contains object or polymorphic variant types can be explicitly coerced (weakened) to a supertype. The expression (expr :>  typexpr) coerces the expression expr to type typexpr. The expression (expr :  typexpr1 :>  typexpr2) coerces the expression expr from type typexpr1 to type typexpr2.

The former operator will sometimes fail to coerce an expression expr from a type typ1 to a type typ2 even if type typ1 is a subtype of type typ2: in the current implementation it only expands two levels of type abbreviations containing objects and/or polymorphic variants, keeping only recursion when it is explicit in the class type (for objects). As an exception to the above algorithm, if both the inferred type of expr and typ are ground (i.e. do not contain type variables), the former operator behaves as the latter one, taking the inferred type of expr as typ1. In case of failure with the former operator, the latter one should be used.

It is only possible to coerce an expression expr from type typ1 to type typ2, if the type of expr is an instance of typ1 (like for a type annotation), and typ1 is a subtype of typ2. The type of the coerced expression is an instance of typ2. If the types contain variables, they may be instantiated by the subtyping algorithm, but this is only done after determining whether typ1 is a potential subtype of typ2. This means that typing may fail during this latter unification step, even if some instance of typ1 is a subtype of some instance of typ2. In the following paragraphs we describe the subtyping relation used.

Object types

A fixed object type admits as subtype any object type that includes all its methods. The types of the methods shall be subtypes of those in the supertype. Namely,

< met1 :  typ1 ;;  metn :  typn >

is a supertype of

< met1 :  typ1 ;; metn :  typn ; metn+1 : typn+1 ;; metn+m : typn+m  [; ..] >

which may contain an ellipsis .. if every typi is a supertype of the corresponding typi.

A monomorphic method type can be a supertype of a polymorphic method type. Namely, if typ is an instance of typ′, then 'a1'an . typ′ is a subtype of typ.

Inside a class definition, newly defined types are not available for subtyping, as the type abbreviations are not yet completely defined. There is an exception for coercing self to the (exact) type of its class: this is allowed if the type of self does not appear in a contravariant position in the class type, i.e. if there are no binary methods.

Polymorphic variant types

A polymorphic variant type typ is a subtype of another polymorphic variant type typ′ if the upper bound of typ (i.e. the maximum set of constructors that may appear in an instance of typ) is included in the lower bound of typ′, and the types of arguments for the constructors of typ are subtypes of those in typ′. Namely,

[[<] `C1 of  typ1 || ` Cn of  typn ]

which may be a shrinkable type, is a subtype of

[[>] `C1 of  typ1 || `Cn of  typn | `Cn+1 of typn+1 || `Cn+m of typn+m ]

which may be an extensible type, if every typi is a subtype of typi.

Variance

Other types do not introduce new subtyping, but they may propagate the subtyping of their arguments. For instance, typ1 *  typ2 is a subtype of typ1 * typ2 when typ1 and typ2 are respectively subtypes of typ1 and typ2. For function types, the relation is more subtle: typ1 ->  typ2 is a subtype of typ1 -> typ2 if typ1 is a supertype of typ1 and typ2 is a subtype of typ2. For this reason, function types are covariant in their second argument (like tuples), but contravariant in their first argument. Mutable types, like array or ref are neither covariant nor contravariant, they are nonvariant, that is they do not propagate subtyping.

For user-defined types, the variance is automatically inferred: a parameter is covariant if it has only covariant occurrences, contravariant if it has only contravariant occurrences, variance-free if it has no occurrences, and nonvariant otherwise. A variance-free parameter may change freely through subtyping, it does not have to be a subtype or a supertype. For abstract and private types, the variance must be given explicitly (see section 6.8.1), otherwise the default is nonvariant. This is also the case for constrained arguments in type definitions.

6.7.7  Other

Assertion checking

OCaml supports the assert construct to check debugging assertions. The expression assert expr evaluates the expression expr and returns () if expr evaluates to true. If it evaluates to false the exception Assert_failure is raised with the source file name and the location of expr as arguments. Assertion checking can be turned off with the -noassert compiler option. In this case, expr is not evaluated at all.

As a special case, assert false is reduced to raise (Assert_failure ...), which gives it a polymorphic type. This means that it can be used in place of any expression (for example as a branch of any pattern-matching). It also means that the assert false “assertions” cannot be turned off by the -noassert option.

Lazy expressions

The expression lazy expr returns a value v of type Lazy.t that encapsulates the computation of expr. The argument expr is not evaluated at this point in the program. Instead, its evaluation will be performed the first time the function Lazy.force is applied to the value v, returning the actual value of expr. Subsequent applications of Lazy.force to v do not evaluate expr again. Applications of Lazy.force may be implicit through pattern matching (see 7.3).

Local modules

The expression let module module-name =  module-expr in  expr locally binds the module expression module-expr to the identifier module-name during the evaluation of the expression expr. It then returns the value of expr. For example:

        let remove_duplicates comparison_fun string_list =
          let module StringSet =
            Set.Make(struct type t = string
                            let compare = comparison_fun end) in
          StringSet.elements
            (List.fold_right StringSet.add string_list StringSet.empty)

Previous Up Next ocaml-doc-4.05/ocaml.html/types.html0000644000175000017500000006400313131636457016342 0ustar mehdimehdi 6.4  Type expressions Previous Up Next

6.4  Type expressions

typexpr::= ' ident  
  _  
  ( typexpr )  
  [[?]label-name:]  typexpr ->  typexpr  
  typexpr  { * typexpr }+  
  typeconstr  
  typexpr  typeconstr  
  ( typexpr  { , typexpr } )  typeconstr  
  typexpr as '  ident  
  polymorphic-variant-type  
  < [..>  
  < method-type  { ; method-type }  [; ∣  ; ..>  
  # class-path  
  typexpr #  class-path  
  ( typexpr  { , typexpr } ) #  class-path  
 
poly-typexpr::= typexpr  
  { ' ident }+ .  typexpr  
 
method-type::= method-name :  poly-typexpr

See also the following language extensions: first-class modules, attributes and extension nodes.

The table below shows the relative precedences and associativity of operators and non-closed type constructions. The constructions with higher precedences come first.

OperatorAssociativity
Type constructor application
#
*
->right
as

Type expressions denote types in definitions of data types as well as in type constraints over patterns and expressions.

Type variables

The type expression ' ident stands for the type variable named ident. The type expression _ stands for either an anonymous type variable or anonymous type parameters. In data type definitions, type variables are names for the data type parameters. In type constraints, they represent unspecified types that can be instantiated by any type to satisfy the type constraint. In general the scope of a named type variable is the whole top-level phrase where it appears, and it can only be generalized when leaving this scope. Anonymous variables have no such restriction. In the following cases, the scope of named type variables is restricted to the type expression where they appear: 1) for universal (explicitly polymorphic) type variables; 2) for type variables that only appear in public method specifications (as those variables will be made universal, as described in section 6.9.1); 3) for variables used as aliases, when the type they are aliased to would be invalid in the scope of the enclosing definition (i.e. when it contains free universal type variables, or locally defined types.)

Parenthesized types

The type expression ( typexpr ) denotes the same type as typexpr.

Function types

The type expression typexpr1 ->  typexpr2 denotes the type of functions mapping arguments of type typexpr1 to results of type typexpr2.

label-name :  typexpr1 ->  typexpr2 denotes the same function type, but the argument is labeled label.

? label-name :  typexpr1 ->  typexpr2 denotes the type of functions mapping an optional labeled argument of type typexpr1 to results of type typexpr2. That is, the physical type of the function will be typexpr1 option ->  typexpr2.

Tuple types

The type expression typexpr1 **  typexprn denotes the type of tuples whose elements belong to types typexpr1, …  typexprn respectively.

Constructed types

Type constructors with no parameter, as in typeconstr, are type expressions.

The type expression typexpr  typeconstr, where typeconstr is a type constructor with one parameter, denotes the application of the unary type constructor typeconstr to the type typexpr.

The type expression (typexpr1,…, typexprn)  typeconstr, where typeconstr is a type constructor with n parameters, denotes the application of the n-ary type constructor typeconstr to the types typexpr1 through typexprn.

In the type expression _ typeconstr , the anonymous type expression _ stands in for anonymous type parameters and is equivalent to (_, …,_) with as many repetitions of _ as the arity of typeconstr.

Aliased and recursive types

The type expression typexpr as '  ident denotes the same type as typexpr, and also binds the type variable ident to type typexpr both in typexpr and in other types. In general the scope of an alias is the same as for a named type variable, and covers the whole enclosing definition. If the type variable ident actually occurs in typexpr, a recursive type is created. Recursive types for which there exists a recursive path that does not contain an object or polymorphic variant type constructor are rejected, except when the -rectypes mode is selected.

If ' ident denotes an explicit polymorphic variable, and typexpr denotes either an object or polymorphic variant type, the row variable of typexpr is captured by ' ident, and quantified upon.

Polymorphic variant types

polymorphic-variant-type::= [ tag-spec-first  { | tag-spec } ]  
  [> [ tag-spec ]  { | tag-spec } ]  
  [< [|tag-spec-full  { | tag-spec-full }  [ > { `tag-name }+ ] ]  
 
tag-spec-first::= `tag-name  [ of typexpr ]  
  [ typexpr ] |  tag-spec  
 
tag-spec::= `tag-name  [ of typexpr ]  
  typexpr  
 
tag-spec-full::= `tag-name  [ of [&typexpr  { & typexpr } ]  
  typexpr

Polymorphic variant types describe the values a polymorphic variant may take.

The first case is an exact variant type: all possible tags are known, with their associated types, and they can all be present. Its structure is fully known.

The second case is an open variant type, describing a polymorphic variant value: it gives the list of all tags the value could take, with their associated types. This type is still compatible with a variant type containing more tags. A special case is the unknown type, which does not define any tag, and is compatible with any variant type.

The third case is a closed variant type. It gives information about all the possible tags and their associated types, and which tags are known to potentially appear in values. The exact variant type (first case) is just an abbreviation for a closed variant type where all possible tags are also potentially present.

In all three cases, tags may be either specified directly in the `tag-name  [of typexpr] form, or indirectly through a type expression, which must expand to an exact variant type, whose tag specifications are inserted in its place.

Full specifications of variant tags are only used for non-exact closed types. They can be understood as a conjunctive type for the argument: it is intended to have all the types enumerated in the specification.

Such conjunctive constraints may be unsatisfiable. In such a case the corresponding tag may not be used in a value of this type. This does not mean that the whole type is not valid: one can still use other available tags. Conjunctive constraints are mainly intended as output from the type checker. When they are used in source programs, unsolvable constraints may cause early failures.

Object types

An object type < [method-type  { ; method-type }] > is a record of method types.

Each method may have an explicit polymorphic type: { ' ident }+ .  typexpr. Explicit polymorphic variables have a local scope, and an explicit polymorphic type can only be unified to an equivalent one, where only the order and names of polymorphic variables may change.

The type < {method-type ;} .. > is the type of an object whose method names and types are described by method-type1, …,  method-typen, and possibly some other methods represented by the ellipsis. This ellipsis actually is a special kind of type variable (called row variable in the literature) that stands for any number of extra method types.

#-types

The type # class-path is a special kind of abbreviation. This abbreviation unifies with the type of any object belonging to a subclass of class class-path. It is handled in a special way as it usually hides a type variable (an ellipsis, representing the methods that may be added in a subclass). In particular, it vanishes when the ellipsis gets instantiated. Each type expression # class-path defines a new type variable, so type # class-path -> #  class-path is usually not the same as type (# class-path as '  ident) -> '  ident.

Use of #-types to abbreviate polymorphic variant types is deprecated. If t is an exact variant type then #t translates to [< t], and #t[> `tag1` tagk] translates to [< t > `tag1` tagk]

Variant and record types

There are no type expressions describing (defined) variant types nor record types, since those are always named, i.e. defined before use and referred to by name. Type definitions are described in section 6.8.1.


Previous Up Next ocaml-doc-4.05/ocaml.html/manual032.html0000644000175000017500000000214013131636457016672 0ustar mehdimehdi Chapter 18  The ocamlbuild compilation manager Previous Up Next

Chapter 18  The ocamlbuild compilation manager

Since OCaml version 4.03, the ocamlbuild compilation manager is distributed separately from the OCaml compiler. The project is now hosted at https://github.com/ocaml/ocamlbuild/.


Previous Up Next ocaml-doc-4.05/ocaml.html/parsing.html0000644000175000017500000000701613131636457016642 0ustar mehdimehdi Chapter 25  The compiler front-end Previous Up Next

Chapter 25  The compiler front-end

This chapter describes the OCaml front-end, which declares the abstract syntax tree used by the compiler, provides a way to parse, print and pretty-print OCaml code, and ultimately allows to write abstract syntax tree preprocessors invoked via the -ppx flag (see chapters 8 and 11).

It is important to note that the exported front-end interface follows the evolution of the OCaml language and implementation, and thus does not provide any backwards compatibility guarantees.

The front-end is a part of compiler-libs library. Programs that use the compiler-libs library should be built as follows:

        ocamlfind ocamlc other options -package compiler-libs.common other files
        ocamlfind ocamlopt other options -package compiler-libs.common other files

Use of the ocamlfind utility is recommended. However, if this is not possible, an alternative method may be used:

        ocamlc other options -I +compiler-libs ocamlcommon.cma other files
        ocamlopt other options -I +compiler-libs ocamlcommon.cmxa other files

For interactive use of the compiler-libs library, start ocaml and type
#load "compiler-libs/ocamlcommon.cma";;.


Previous Up Next ocaml-doc-4.05/ocaml.html/previous_motif.gif0000644000175000017500000000047513131636457020054 0ustar mehdimehdiGIF89app!# Imported from XPM image: prev.xpm!,@63333# B 0 A0 0 0 0 `0 `0 A   `0 `00000000000000000000000000000000000000000000  000 0000000000000000000000000000000` ;ocaml-doc-4.05/ocaml.info/0000755000175000017500000000000013142673356014275 5ustar mehdimehdiocaml-doc-4.05/ocaml.info/ocaml.info.body-12.gz0000644000175000017500000003431013131636470020033 0ustar mehdimehdi8=gYocaml.info.body-12}iFgOe` lxp@'=K'zY 43yVNf϶$y]º<p/pTrH'mUnJX$>G@$-\ĕY+p`BdM}lz6ͳe]0fN~8p$n<{kⴸ>ֱΑ-`z Oa2_IvH'Y+3O::1 b;g7u2EuMfoVH'6l ,|+Ng'ElT%mgqTH->Ľ3 f[=tL]#n d@g'~O^d~݉#y;;p:uNrs;FH6@X=zR!wNTֽ $<IV+L덙Zi`?$#$iY,2ida4k yXLN;6yUԲ?<B9M<ѡs8vuѤry4Nb6޲(dw/3Fu$:Fq|N/r; D]y"ieZeUs\oL=9LpDz$5!rIݘa.PҍYLװ4M'14iAց ޝ/}z8^w'3Lbw[3PsEqaWC:EA'G;p<z:'= X9(Lbڭ5O-xUEY5sw5Q>!BD 矏ݳ ED~c> B{/^mAfӔGGw~P /'>[2uO"9nL:ݝMKК! (` @0Q!ϴ|4x^g$<.An`֤NUxI@gޥh~LN J:.HY"Wqb&^(Uՠ%Y!%BI@qtfP1_Ҟl 8:}l@kAfs?W#96@<0;3eVQlAࡅ-N-d:?/KKѐ5 tH֛ (Aɜ-H&VIE GYdݯE]hLPRCI|Ѭ .HF=e\!/ X`y* wD8xXx6$~h 'xe z(zdU+*xUD2$w<%JA$ٗs47?d-Ïۜ>??$rz gQH  9rK_O$Ih/xTcI#'wRtXrX=/[SzN=j-G6(TgXv&vyZĠL5vɄ&E';WپG>z{Pط7] RҡڥMmk4E~Cr,\iDCEfa2# GbpRWpq`PN9ػoWfsI(F *ր2:lr5v OHEy3>;/wnF3$0ckY!M&,^n :h}%NSm\bjQ"i= Vi{%<%@(]Anɦv֐f[sgFzZ\`HٚμA0?] />X%#5s܅CzB )@riPB1*4mc0R"ywq85Sݝ;fXY{Tshe_JRa}Mz܄q'd.p#뽛~`4F{᫴6AUn..ģE ’46Ǘg6&1sT#3%uaGSѧNa,!A2՝͍ebn҈Z>:F.'Le%&]=ѡ%IN)ʉ@vs]:~+y#~_"kl@Cfz3ᙌǷ¬M3Fñ[ /2v,pdlzְ_NLᰱHR^[F$~^u"81I#Q伖$T| zT-4y@Z4BgƊF~ŤB(GV h@^T =] dw@3&ZMˢS+H'E)cj"Gp#p8hK9$8AG6PgٳΣB7 Pg b<HAlLOjp2/xZ.shLgIX.By5F5y~-ّRJ"29/숆Ơo1,: 5K ,œJjLYQk7>YNatAR2J9|AXBQ.^{kAThAn wQZhʱ}*]j EVr7x([ƢJ3㼑6S^Z%@BnuPhzaUlfmi甌=πƂq>紇՟Z!CMw<ǹ p|k0@ka^:gQ$.9n &e:}q8-VN$oZy<}b%`.) F4jk6 B X]u*qzJJ}druZ"LnY#ق0jД#č97JvulVd2F$:m`P6tATzj)Brq6\vcHg&4ӧ7GQ_'X(?16 3 U?ht|.T/F'Cht:ok{`}YU/Tso_1˗D\G䭛mWXffR~AN\S1:R-nh)3s|!ߋ1CԟOa[Il_T᮷dg+81(Ǣp2"WcSٗTzgd &("p":^%&N"Sx❙oú`%@ߒۡCq݌G4BfII/.-|1:y.|g櫬ՠ?RbYL!}j^=bęh+O|O;B])&2﫠AffV"ed;Vɍ.V-g_4lY $a줃LƳ\"r[î t5 %F8DW4&Z-3Zʻ"ph܆_|>)g5I֩4&k\\ok{#Phn?1> ̵f v3 O 0^YSuP.h bXrDT&Mɗx.2a Sit\cNvfpvIe{2I=.myMt8l|!,^oPbiSSѶަX=dT9ǼPRxnƌuDsh Zҹ.Ue~¼nL\(0*u2Sʫ}9+ O<CF&f3C͸[-qH}T~\cT8.O6Rrҩ_H`ĴS'~|q>o &p8[EWPyJcwl _m9R[Nz=@\pi],Ue@T[F-1uSjI${ėuH"&8JNnH+<:D~BZzNޠzDZ[ֿZJTa|W@TДl3>L wc^1b^&| Da= P eHŞ;Ygu܀mmC p -w_q8"6&;3ge`t$w2 qSz̹͍^\1e~mhkD70_3k_{!R|CO*)U= B pb.- Q1:3ю8ҭp`؍xqeT ubHpQ%֌v(? OZ`e3tK ֓]*zaZ׬O:laf#n%O DMI|O˺ s5(F+8+ȵ_*D 3AVO6upjT ); |D[DBp^m(=׎H63-mJ( >{-(%#>ֹ3?86P@zP 噾 &naA?݅XT]$'J. W+{,;X+zPL4ڠW=;qߝ~okkk5,;,%YCqE |/\4e%bS%΋l x9؞`}Nj B]c,%a9c Yf*-DLDFbA (M sTlr:RjNS$*~i--N -li?qEAI{iyoaȽ'd NRY=˺m&""l NbФ-ch؛V`FOw㍖z׼*^Zʬh!ȚUĊHy6!/),m]I*)0k4o*5(I3i'c Eb"-724#7˔zDbk͹vDmNsTC4C\^ +e`5.|~9lUj m/g읷]M0'}s )?T>ZWUKAP%2E!K Ns7^Y hӵ"lx轨bKU6n@[C G6\#?VED{:3ݔ]V7?SE \ *xٽb] sbYsrSIGg '/az => u)mR`c. iștZBs~u'4&P3g!Aֽ_:!:0\jj̅D5岧C-#ե*+pT(f[Xh1IZߌ1<'E#fq؟V&Af5\VLAΣ|I=&"d6%>[}5Vߺn^^8#J(WYf.r2iWW&VgW{* s=@(ϛb'By ^pdľp?)1y<\7o iGqTuTVu5iȖ{JD'R'㡃1R';1T{F,aljdKMZǸ^dǩw-\hI~km]0BoZGaяn֟ %et2x8` 뢳oI kwG wgt"8X],f6:5qA@tTw쬦qX`C7}\xR{PJ8o>?$<. Q+RXݾ@ܮɂ΢:(-DD Eӆn:!/bxû⠣|x9Enx)OfP^՚Kx/BE ]~^I ݁ʹC-UR8ԀH ttIso'T-=X[4fILmVQzO~cpbW;lju@;]ě-6BB^ xsQT+% f G%aF$'8ȝU4olk4[fwl(t4`~]q{k>^|(@6Oz+\ Q ZQ_ޭԑAġ9d&H>+$T聵}ZuPɭ]KᘦȦ[*{1/79Zl_՗e(X{cFlT} gٚDTY2fYBWֵӭhZU8ҡp ]PhDMg!u/i]I!7Rt^ԣjHk`q`xSLlfSŇ1d LgȫrֿZ+It|Q>tQmOl'{@2/r( J_## VS4"LڛB \ =}ݛ/7?^Ǧ@[?pnh<:;wtW=?ILGF{7-G%J0ɿ^0QlptGdݲV7-*BxWt2\;K( e4P~!e+"ßx7f0AϞx**D^w}Yx.SKFsIRCFaܘ] 40H(F،$=AwB(\A{ת= I[")6gA<*Қ˕|Wج^S~a NfyʦP+&3gY,e^Q-4q2gFi9Cy֭3Ǝ,W,Y>U ]],_$2'+v۠p Zlu$vrz׷xS;Ŧu ,F^gqz[st9EyQ= 95tѵ,4 3jM@~`lmn 1ͿaBX*LkҖ\tG7 FܶTS{J7 (4ܑ m)J_c/Ǎ)ڌsb<9kKr`0o򭚂wo`Cչ&r,{M:s*)oK9^1c Zb⠑pkܲo Ob6)[9c7˿S6('$,R?xsDϡ 8+Yh19 kIEMיK^m#)12r_7 W Eb[NB7xG Y:M⯭0e%R(#8Җ="&F "{ڻ ^ksU>0BtYehTW*mr?AքF:_<}ζRk\*EG [蠍p j l__M֤5 "G8f"6gNc)%]d k g!$} $ڋ6q8iult^RYƶdPwlp8qtPXfMRɅLVA3Q}]/@Zc }D%5㻷 2*icobI\YˢćodO>l:5X{[>ׁ֗53^ .'{Ԉ,DnIoJ49PpIB+5]ۭ帻:idt;vSx@4Xbr̸_~}T^h9Y Jf}AYUu ̽>t!4\» GBOcu\'K= +e8vU>z9 vX=VƱ//(ˬ#qQb32HŽuvqGziPJ<*gNN.o]Urpc +=/F!Dhq/JmUdykŅߓ([NF?^ZkbN9Ehd.A6i#SBž*Uk8|9DMј"[ahXMN1&n(}bԠ] 'l= Za/PobFb(8c0ocaml-doc-4.05/ocaml.info/ocaml.info.body-14.gz0000644000175000017500000003440513131636470020042 0ustar mehdimehdi8=gYocaml.info.body-14}wF&%Yv9;O8bgf 8߷)$7K$]]]]UnUv-SH*;NeWˤNvV+u.;ٯҿ/GW-&j9Y1o)|6YOOxgOsF]^/u֘OGO_gY>Y"mV/lH<)d>T񲘼p:a&kM6uJl,;[exHF"LdeZ٪X!:-Z6a>0BRUg 28f9ߤ/o7J!zx~uj {Y2I;Ǿ.ez.Փ9ؼz>-^1#/KB*Eei5)16 ▔Kx)]n-Am楝mr~Ndx-J_ۤ̒zN&Ts2H.l,@qiP$QԛR p}#t@@"倾cpD$9h`$!WyPFn"aUvׂ*|r="&S,k@-5߬ҼFָ9@e;}fwŦ G\煅"3Ey tQ#޴;mVNRyY@ST@Gwf7eJO#AEG6#GBH$`2]/4>mґ~y; =КtAS!Hilo<ꁽޖh 0`v=PyJ4ׁ`Į l,2MeoluYQ >p1a>O=?/GH_|9k`).dUy^o;N~'xWCR&Ae`ct ~ȋW?+҃vf2uVSzTZ+ 4ZUnP&Hwf}YɎqKo@$2MG#Jh*ZbևRZ|^6_OXسd"2߀hjI]wKƙ`BB@ I[M5no0l2 xN̦@&MdxK P7[SIY3ѱ8_ξ!j c`! p0Vvp|v`Ł?:ٲ5 7-@ &Mb!:E=U*sPouapʊ,sѽðKQM[ČJ.3)no>0 !d3 \|'s8:0hhm\'ҩS"Hwu$\{;H*C' ;0r"6 &eț##LGynE|aoob:6a(!/|L ;7j.B8E>zGx‰vGGa& Ή s9ӣ0S7LZ;KHaup _乀׽CÜ~ cmt8j@LM972G)zEL$ {2, }e;+&p.5AR9oJᵜK'+aVbD>FB!!lZq=grheQl4YNml]vt`^{f,ΐv=,37e{0z \ܑ,*fhah YuuPqsڈ [2Vun#J Z9 l)bBiEW",ͲI,+&PʯN!}G@/-wqmǬA$;ĵG,shUlF#őN⍈-t19,ęm0 %2E΁/qr82iG>'O>/,uyda͋U5zKTg/*BNf%/pFɢ+u‘ӛi:K_"e&ewS_TrM lG#G,Z4:R^2B70L# w(}bZйtjm,̏ҧ8uLYe+3vh9Is?=э(=8'kȇL)otg)+<69jCոAR_?o /mϽ, A״H޹;SILd{oQ`9I%aGrN=~w/]wix-ʏڠ;Pm#YHՍ*`}KM\}.;սH"$GcC蔝yRH u2Of{RmJBbkr$421'd^_5,)j7[5~U-@"CMqEQh >d煮QF_e6_,1:f|SlQEvҿ}Ҙ*vaWt#٭_uσX LɹVOxJWyG>g/=/'_ kO|iW\IR¨Z>my 4y`iHhJw3Yf8aK\ۜXVLGrĒpF]Ad6$!m@]GE>==1#F6q8)t1AJ^mSC# >nhǵHEOFbTjIV|X鉕MBZ6/O\^DΘP5^pY`CoKX؝+Ȯ9!$*ӫ=c8$] ʏFFcx < vy|*]oDO~Q's*нg^#1&%8x\XMPXZ [,HLeՔnƒPl`>?*J vkDQk<>Ĝ滠 v|=4TES Te@$su} B0-{aǰ5&_iڜFN  ؝ B W:yœ `)s{ƕx@W&YElHN &ڧ'+j0Ru`.A[?(_p4ض$&B) Y aEs3gzNj ~-^UI:ٸe31g2 O>BUV_5bH8YD&+tRKU ,W{H IJ0U1.1\Ea3!'NfɲJON4٘ߺllo wCzA̔̏2ϪB@bI;G oPEzTk^:  Qܠ=\c_t^Gv]fE>к_ӕ]gt8ݐy~ܸ*!ˤZȑm.7*iiV#(*spмϣ'8=`mm1olC4K *7nl9&Χ*I &\|E b+ƫjh [şDxPy/ _yx||]IGa+/~fX-[£qB(HKQz0$=f4!OL)Fb W']$98*"pe8%>N`c0Mc'LIF,r\Ȳ} &Ͱ](]8緻&w˜u|2DuQU8[fCgnRCJAY X|P9's]Ņ wl)naE"I4{QHoEt\ FAmh&o"e$oF];@8)KbG(D gT1lf^ ȇ <9whGZ+3' '`oKsUYűayh?Kt>->2{yf!,t)R:各cIIBѲCΗ$We ,~fziH%]*-:~W1v3tN36xC:zIJ[6^r) gL:ɂSĂ/\FN+5UK1~1EcFX`"#gdl昢tM$]7N"5GPSٮ5WyCۦ7&*@*4>dsS'nfokmp.vWl92vƍ .25$RucC03.pC¢Ts{f*|GV#3!%!N-X*ai> 1 O0wI^!Qt׳FN2 "{;eYґKQp n&gX'X>Σ¡Z E Lȸv6nKn >u 0=9\bŬ@(wq8  M2NM^P(EԮj16(H}B>!V0{ܵ{h;~t퇤NfKJ#L*N AFا° ieUÉC=2Y@g%n8߈|vWj"lE/}z#q? 9P9qu)cAZO%0>eC@DZiմ\sNv,yA%,z6< TY=je?<-<5Х !߾^,8cPaxT˹"Tc$qaZc2owՈ@âD"SE,9{Wd GwF(9UA7 sTÖi oo䠛24iЃs)Iy&iB&t}@n>ıKGJx5->!?Lzà &#9Gt M!oiKB]$o`^A)OF] xWs]\37[4#Khj`$Ho+U-gYC)-x-n+Ҁ9i\/ꖄT)e7]^] $wMVDQ KkTtE^RT sL2E:w00bS?,\=4m0,O6kdrpڠʂ᱌ IY|ͪON>F_n(#z/>DY08TO71BB7eBȠ1Mʩʎ(?PGxJOҲS%km%  PF}!GߐMv&0(r1IB{&+1ysThY;" 8[Iͭ8*IqP f7xJg.h2Q}ߗԌ9*^ [+To7qDbH!i]-eQ'g瞔fnqug>ig:טQf`tm7r"f1d2lHEsDae_+ jSBoTR7h6Oܹk;aI 6)J+!JvރLs'V38nIvAW*CGŧպXĨYF 'D&:Mҳr6RŨզQCI(XR^%vZ$YW-J7Oze^qޑ K)a$'FV6mBb 6uQ;&^bޕmj8@RCN2,ƫ˂:jԙ3qH7O%' {f4}o0WK +,^$kAaK)`PΩ8vUv[}=OÁ;gjE9cぢ5T:V#ՎmWR[V_񉈚kuxe1c7Gba}_Ǭ5ީE޹E%[%/2s$eU@Fɐ쩬G#4)_g.Ep#]"63a-ACϲ]c7`0qIVb$oeeᄐrsÝ̛^4h? M1Bh -`GQFQ"PG|agd>p[SJWh1F$ xݥ^BKuty]\Ym o4XsIo5h0P#7dq5KRz1My// IS=`)GϳFHÀ\(T;4Az=sQ.馰C ®zM&2!p0K'*x_&&ߞw;CngD cl܄1? 8)Op?Asj,)txmpFߣƞu}Q6ɾglL]`W^ D&b!L0I-KQIJꊎ芝B5 $T+tTJjt=] gDŽƵ -GEGe/w4ӥ* jəR%5v6՜5,OZsJ < ;9GmBlˇ}z998lTٓ\W+/O;|y9(S=j uSʓh1tfc+odTL2VIMG"l>0U=͊fs> {x/ .MAzOܸI|iGw.(~}ԏ: 8MH Dx߂,R}Cu,:xZwh"k(~@y%[T'y¡޽صo\ҵ(%LTm(6&YrICA DZvwrz,Dtvx0ֶ!=9 ؏>b_n5p)EPT9W_5U4lrGFFwscv/4"}bHCnD/_0:*9qdL.Ha:KXiҐ)|Sw4A M?oI%%(ͻE3W+4$<w:$%NYD=[¢_sż?`Op>c-Fs׬M !|/Xڤm,84ܐ6c(o|)7{tl EL9ZCAT;Ðϐg _rWw;.0wgb7ޤ#UZ@ܡεa}=YqRU$#ρRint$ǽ vs&ֵK|$)kޤC#sħ{v P z;;u=~(3=C<\/ V>G_I[@w>ӎ@\#$N}ﺕ Lc_]C7q=[vK'bhQqEIfӗ('עwlW޹X.]C}FUB,rVj)HX ^*vwEs?; \VNu.!kn|?ͤvV }3#IGEzQ?NMeSA<0wPV%0iAU]qŁlPLQ{/?s5lwjO ¢Nh@p':M$v;!'nS-coLpEcG9A*S5Ϝnb͓GǦs$ ==U NVhU-7eM9uYR輯ƗFrSX)uD7#-cO{ 8 ie)rA.cq8GqWP╆Hqn0FTo\!C$)٪邞E_E~6Ɋv |SFn"h%#7Qq,21SJ")hI{ 5, CGy.D]3T=w[6BE:D. A3>C`7~k'aݍiS7t8!S7/ڟ=z:JTOZ$z_妷dU5aK 7PIM9< ڂ o]Ɖ$(hK1@@g~GĐh@Z[s; +SX`5X-^}@ghZM6'ñ3A瓵s&.fh9kCX<^ 9"V*A/~v[k:9"/t*oe_>/&|BK;g73#"IRxqkzGGApjU-P, g%'ԯ4\o3G ,<Q\7BttUt\:atcT_8uzOi96=4.xn}#9=<6yM;u}/x. aI&4Nvә@o]pǀo.e֐6+7;$|,vkht<$ "@>t3q ;e#FJ\BYXkD]FBB%TyB2LH-ya]} ~}]Bd(^CYA<'C~ XvRalkxڅ~x7 )ʅVnPiDaJgMUe6C&ZPn\]=ǭHt#ۛq"1D Fi0 R@"Ky$V R/CQV6IXK j_Q"|5˦dyalM@2[Up f:t .G( V2G鵬,ٜ1o7~IoݲglQOH4/6 vXE9Ĺ1T3T/OϱAھ#W 82\eM.~|\4q>.}~|" tu9~ Ԙ5|;P XπQ H|i[һsFyW {9h<֨;G-\C>o?,7/InjrmZYv39Q)s&:f!9YE*<|nµB=h \`.."]I/U< d_((,:"2Z]W|#NtVa{?̓ó6x狊^+fTY/+yrKVF6PM/ӓ y؞;e`i,2S FI9lfp!reF TSil*o'XM0 K K|Y5ctG&>M'#B@hBWݬ|*7v~׶գG vӂ+Y|,ڏCs[r z\nXa =k\ fV.*!Ja<(x6mOqS 5kp}|:h܊6+%[wW`:R<:;7G>۞ekz|#|~ U8ŦkժǤq2M$1l`(壚n:2*(P(ۓc Hқb@A%G5p,LMd{nʇ)6q@KD}Lާg)G*2sVB51Um!~Q(sCظE1f[$nc>̠&M$q "woy՗9YW ǽ/߀CXP u-IՕ*Nai%q|97m@!-}~ȊJ,4&ZJ/3Ik'r،3&*BsS.Kq6 @\8ȼ gYʯN=|8d_-CJZre` 0#2, ;(_@>1;@-Ӻn^!9) d3 HYmd9Y 0L-4J Vp`YmLW~6+NT3|w?>|<__~O^~8O?{owǛߎ\u߾ӗÇO߯7/no=_\|soWsn>ܾxwK:4 [.Â\T.JXiWfRX1%~cW*-tX=`\j%/Y4d PyxWr+ i,l KXm#;Laôj\-zVJ\1*5. ։wi#.a؃7}V=yd0=IcCpc؄*NSzB~{p`ۛK٨-]zazɛ12 D=;,n0T҂>F+g{F8S"ӈ$a ׆$D$.NӒ]tLa>T.{0`p̟@5Cy>V%a:z!m,H$1I6eɊɼJUZH[Fڥ%w‹j d[Ծ7Ⱅ`E<,#S"- K %~NX^|ElTILFpW$Fk Zwg~2cVMcm* ^+Շi-ZB !5tsdӄc չ_!^{xuѷ0IyjS~AސCXQt(.%) B % J(X@a?WD B?!]\zbU|f]V\XyPQ_(&'\0q2 l9bصťXA t#/BZbՄD`[/5@MBy`=mRk^Uo=:P6|}{rpo9.^EzTt|J}!1ː C/ Zxy %L0"^ 1!0PNJd H(8-=q qxj}e0YjJWg2V]'A R ҧ bm q Wڇ4EC흳䌲-HdX s4}hc㘡B;sz'I-tN撬PR]8k><= 7%\qoj镑_%sth}B"e4&#i&A RlBB^J$eh =I(vuhwA ͤNn:hߪ.F)O< BCV/&Sơ 3§P:d֪B`,SCqjQllzT$WxPq(I+Jn H P@K=.D,5p~%zP(}l5WcYdqhr' :\a1Bm)1PLb*-ʿ4oĂJcm r8.A%x,j4L%: -nQ;{֢#nB܉AN."WQ ϛ{5gZYK\ +6p{6o4 KBsF,<0~-~*Q|$t?G^_#!,Cϭe1Pzp >E @t޿u|uHkTN h-/ 7 `QN9Ҟt4j)[։,Kz5 ΍z/=]vui/Pptk u1Bg%sPJU+_923%R750&d/^QC"{H2o ?UEj*Y:7cTN kܽgWz$q%fv6YRBcNk5aTA^c!]țɰC+(S*8#__8'UvΝD↊3|lU:u$TDZ (?/DfK a kX8" ҲH0b~kZb12"Lʸ&VAJxb씒 W 3 )5,W c<;Fה@4SZΩ^qzѡ$wpv!K[us/x' ެCS7NӶlmQkdO>h> !Jƃt A&UtҐ=ɔ]Fw?KiH"D|OpmӃ\#GW*$!N lbT!|dF.Vf?~`˸fmGF^JE?pfTaf}|D=~2P -4$=Qoʂ9ς etQ G H$|P"?d0`:2 09!\G:= UER{0/<⹌,׌ x{+m(}ѼWiGjso@z i+!T; #(EIrەt~t՟iQ TX`0t! Zi+,Uz6?V `ly[' %uͰ[j !k@w AT%Y `ndx'sԶ ̜aR4v%jxzFtJLS CI(9Ufg/,v2fVŅU(J|wkst"odh]wН׍ȉAf rx*ܒ1G"Ŀxypi`p3ocaml-doc-4.05/ocaml.info/ocaml.info.body-3.gz0000644000175000017500000004123513131636470017757 0ustar mehdimehdi8=gYocaml.info.body-3}{ƑQ6"mwfd9 DږO]^Y;Ip:c-n_ ȡl%"~VW׻_^YEf.L4mM,jiH_ff_'%Sf9=y6٬ͫ|t|z|:WulYS(1&I>O1Wx&/ˬl?4Iii,]יHYA3qmo{m,-ifγ~6Yųf:5zq/٪HgY/ۼg'9)5RUO9Aa iTfUgH ERnV8cHEkަuO]o0-ׂF۬g}C')L˕dд<2CsM\ o2'?t'vAnz0tu@;mt=9p5hpldNF#۔1uV-kZ41aiJV@FhTJWJ4@Zfպ)6ctcJueWYD|9z^γUFe=`6r ` `3^ovNv!mzB{6WvMĴiw3 נD&u!!SOcL4u7fp2 Z(m"uZ6Η"s%PM |Ehn z56NaRS%qmNn/s. 2 (4_btm7g@Yyx##|M yf6C͌yK nź!O*IJU 1 c᷻ϵy*o_3ik RfDt@(Sˋuzfd(ZHN\#vy\:^t>p^M!ðP$86nAͫ"#^H+} c y̑@=3EBaxHh;mׁo{gPWzM+2$ a6uO O#w4oy;<Ug$Ќ92󦬮Dh SIL oSڴ1竼naL^?VoY6=$2!UUIIx.Ex{ns h4&(sbhOEueEYO[튩K.Dgttصٱ#ިMMOIvV%,ePD>N1MB$$N,@+̀Dgk'"v")Dtbdz5D0(8פw $iN(Qh^."GωBoLVlXgVJ֌^hL fEYτ*HShÉvC[l90 c(4¿$jdA(Ug I$}Q&bIrEW[nQ *`{ݭ}#m#X8&u~q;B)PxMdcݰcfrjKѾo~!q.$}gXQ<]aMyT4= F DEJZaW:e5o6,AB*MvjA*IEU9g)+ E.2515EI6[x[&^K3]32?UW[쎼o1lX3TWBKZ42DTv 4eDtpiK'F^zëm  /J4+B'bÃk7h\:0?Ru^b&fZ"5.eQYL'leZhb 1yv&6_xHs 8v=j͡4B,#{X0/Bi'`=ߥ챞#X_\00 J*Cӟ]V*xeg'iC;>mތX6,L>VU=zH@/[Z^1[U\>>XݝָͻL̉ kW^'؟Jkf|ZuNjPMIߨ}$d0@Xy"U RuHb'Rx,@k wĔ0,SP8=m1UV/֒)ú'Zð}ՂЀi !S$if].c DPId1gB`GbY+FS#?/j`VRV :榐me™KR,p-E%0۰ M2/U~3D|>mf<6w"RsY9V sTx;6rb2jQ_ֿ+|5Ed74c+YeRdſ< O~M)E8s 9ȟ37Le%vQ5vpM Hv+7̃~`7G?LA"Nb-CMW\;q9Eej':1{25ѫhIrr{KQ6阁Bv5Ǵ.oЦXWk_X˒ D:,^2-#у&Td$/9<ʫLD>1*.b~`ýWȒs-rրVk8/*y6nx^7=]}%wA>aYHq`w 7 :l-p5 o|Zl 贁m6 Z:m#xy(VÅȊaդZ׳L} v8@~9@ uȉ6MnDYfbW(`h1[l4v]cuVMbDֺ@D#@H/mql4"?SKb<|e+2,H9@"rh"S L~V˴fqJ Pgb]&@ 3EF0/%+al^ce bVtZX<~ZMCLL;f`"fAVASݕ/ 2>]iGgN hP^+>R bCHIv%nWG'ӍUN}vM&"yj8]LeAOZ\j^.g! ͉5{C;%լ=HDi]$:fE k&v>6P* pQf–KH6߯UBP?3  ˆrX+W-B *l7DdjBg,8Ibh^B"$͜c4&Q= u*\3Ïc`;F0g7Zd2 qVxUAWڂ߯gDi'|'W=//]c~@4=2AWk?31Cjr>'5嗥.ng7w!]0}@@%;c %Y9k(%J9aq+#mfGj}ેF:f:>Y8L+R3bP 24vsJDd1!=l^eѾ`v~x1Sx$`r&@ӍWnLh5"%͌;$kX ME4m(*O>Ϭ/:RבPQS˓.H\rq_WhG~~6K#K A"U2skfu.ۍ,ot4^x+`l.Xy$0(Ҡ},E.e[lIV;-@^mFYZ͓2ceJA&1kXV}} .ߪ4 jurb MZfø{NlVD Fx1etQ$y"9@q̌X˄ض"! oLc5~ ŻZK$9_<y_H_9%"0'RF+(>ɼbv"^}|&<03_J/ӱ& Pv7H_6,e,FQqA VAEN{mh]dG< 2+*HԶSإϵg0Q#m MZQBsa3diуLhVα7"Ѕʜ$~Igk&%Va.N;!+H\dǂVmµv>JNUx,CL Yd:gap]>ovdjrR{kjcKmTt׭ feZM ?9Cf]Հ>#It 6Tt$rs[NK8=zpK>d,.*׋0phr 6qzFjZ^l]Hdȗ$>o,Hb: 1pi88:oKY_XWج꙰OWF4Ck<" 9uگnK|fJz%fW1+R_L_39n|r]ml~u^-΅ElAcׄ9T{?ξүz{{kcP+-(,jKw=w$wUV4:Md Go٣`MW~e,DI9HOd=wza-Ü)A ?Vq_'}57rdc C̪NDp=SFb?BiqBom'77˛F (/!hB>+$T լ@ ww:AӌV?@ ǽ4/Q3({4ڝhte^wXwea8 ]B$F*@@9k>mlϤwсNC<Nm91<96*$qC%{*eeJ,wjmcIKwv|:,}S[OO ;>tfT|<NOOv6vb$Q M؄^, $uj(b_ݕřa)2 EOi?Қ>FX;FO_C% sعe7_E%Mɏ͓64EN"*PsbM0 ډd%9Ҷ(qeWR2Pp90 "T}b)i9X̛;b~-VD`b! gTxV34#E.]d4n@붂z^iV(ī*T1|;ō'26_d-" f}`h@8A{տc|x#5`y8) ?ORK.eW BU@ ?[f~";:CgbyI.XxI1~",N&J}IhE޸A-PO)֠{ qsw~=ƎMr事lqEB=+9!cאPj7܃“mߤǹ.^AXK!f0m|Boچc9ᑲ[vNoi^ǐPL~!DN!baku~g{lN(=c$R"KGG:Z ?<4?ӓ=b<]g hd IW梮+a=hs.ϵfqJh ϩ%MUأLrsBʩ'py;6hJ9e^u18I[#5 />vP-ٺxy+oY^PA(vw%"C?]v IfipFv{ؚodTbb=+mEH+mV0IJnGQݱ%íC;:\PL@w%WuX >B ?<&>4UD7bFyv ArJ AQY#KrT>cǹn0"շTB2aX!TRNrGOI-WM rH" Aɲϑ~O 0  9ݤ-5~zt-M¯݆wGL~-\FnmIH\E+V%V[Dcs] 9)`Ld@3Vn1픴8v5ɬ8r0*$V ɗXtFd,c-?DzHK,u$wl54&3eH䨣2찘4J/wp^8O$betl+/ 8s_r{V}{ p,3Z\?r-AgwوC y` _QE|redRJYlלF"&$ !p4L6ֈ4ʹMRFWm˥tq=>;z^ i&%k$nDvܥ Bk'jb#2se\ )qJvZlD3g֕YO|EgzٳjLRYZ(1eSTVKe,qpсڴ}gҚ,mgI<\ g$rRQ؎Ngx3Eeh#+'4ފˏb:P󛫳#kx2A!=+YOoAKw]KMm FR}z-_N$ݖHɄ |:{$]|bⲒs@D|*sYuI6=z_3I`/4^HstW+Β8JߐYT,p"˖Ɓ;G/N`'5r8-Wĺtm߾>o=ř^ɹҺC .(*HB8+>s.[1)ռ֠v^NC}#_o -;DG\Ipmm*oRe9 e^.`22-{^8I_e}5\`jb,B!pL#̓'QI&-ѽx⤀Bue.SM7Q.KYw&L';P7@qAlAVIBC3ֽ x+,vq"AХi>=WȖN-EIDcZ:uEL`!Gw(Y*һb۹S6cH!M[9Fq%+c)߃V?H)~jy=8EFCn(--d.䓇JϪrD!J$HqF-K}b]ԅ>_jH1+-= V9X/m̤E[`[;H'noyư$Ik֜Ph Г}9"iҝ>p7Bxw|;w\ȱ؋<-(uF*M}fѐ{?pQ-h[XUt遷bȊf Mx8SFE:(D&yphHvZ7 `GmfTc'4*H_Ln օǎ}/G"7jR4jZTmMK.DGQ?h"i*.%Si(,''DBqnIM ̈́䎐S XS^xU9/r'iIzep{Fxv/>{(jH&8cNZOLޜgl|<}A2OýH{ ^ v `>.5D@!wl0帋~dSS4_ X? KYřvc.OIU<𵕳VNv՚QoQQUIѸ3*Rﱯw,]zZ0ؓ,qԹI'ozCb*u^k+e9 `lN&?"uzIEA,@x6b!gI○]#5_(yĖԽCƸ9J mq:Pw3r'эr[L97/$Lsj7Mr1qR|EV[PX[e|s9@uu#WlpoOSnq0nΗ: 9[%R* bc`; N#eۃ'Ө$t"yzuW 5_Nm}"a6O+=I߸@=`r(6F(Zұ}K Ur낝 U:r<L ">鍮g۶l5;+.FO\>""nV ok-q lAfy8\ȁ!h$ݚ16V \-CnHMvmbCYlx^;-67>FN)ǡN7I@@Vx:^vՃlm^a& ɰ={\Q@|EJH 6AV##g/"7KObX')q/6 2M# ?G8?WDq75=wVg OpI:>ސ`7<2'?x-¼Vw(:m?B>ݙͽICB>J#8I*,;\O͢Ot}\«I׈(Y9da?<2;-lKJ/{=­QOۼFu-GBtV:xJo=D?6-`yZF3ݹ.?-ee^fy@rZM\lYe|KdMCf IB?bm *Y$Ȯ*5MS!#kxhu_ZlV>iV>%ZŭP) H?>t&5<̠šp:ںXݲsچ/kƼ adoW0z _O?afS`Vk hzvw|MZsI;{)ȵzߺ/pB/q4ITR {0ukuun3n'H!}}1]̦> ۝$OicrIsG'nP)מRPKb ?|.4Pt,8`#|}fhP.5626Mőӵ&\k2wAd~g~W|$fymI!4 f)cK7] PZE'zLc?Wr^YVѧz74p_h8 +h((lV;ڴgPk_%`& 5'?uk9v!=D-)o&G Szsn?+k~4=?nm͏ñ=CF~fLgiEcKy?0dlaVlێ1HEYJDE9 8S+<5|9ޡ쭻RBk> y xgG6C"10)ZVKG3?yg4M'h7U%!"G ۖ$S g/'?<5ʜ#Opu h:9;G%?X}{q>VD0OUwa#.ƥ./+sIz+5|ơc$ KU?(9K iZ~|$X_U!ו"l0h{< Q@Y4]ʜUȒzU䙤s3پN[>[k38"w# ?썱_ߘ8n? 7*ލN!qE?׎g͞yS}3v՝s~j%lyMO[k.3 &F5 p"]r6BA,;y~mNOBK39`Kg`Jw\G <ߣ9v̮.>愴榚dJ)ɧ<9^\.h?5Qz|1ǯyz~B%J\w Qy;Xݘ|vMF g7Aԋ:(bÚޤ-*}<iNTVbAX4tI%\鳨=Ryl#~;[ rz??# we޲fnv᪽i6ȣ&]N5,mmfѿ'o3IDg"7qG,ŨM9725"/ S~̪ȵ0i˒g Dש^y]1fF8V?+y+Lk뵀eub-n]t7;d̎&j. xG?}W;t;f@>J|⃭l4s֑ow0۪=l(T@2kw 2|DbLE,seև]aJK>++Xnъ):NO|vW||"m]so%ͷGe^vhn> c+~/>D0O<JI{u&V1 =" @hKQX6}F{<ߑW {,+(`6'a9o#3Q/1R"XQH\sYOo,fG|:m:̘|iuEs(*NzVWM~MMa;Nd5U}L#h^sei=mr36V2H\f->Lj$i`-] G@{uyM5zJ$%yimTW+2:5_4GMc1z\dO#uI \UBP{͊C>.);%DfoMX)I~'}}"+ZAVc\HD-X7ha\ ;oRX=܏1>7>7->>1>>?7VO0R*?Z{ؤj#sa_qjbPա7Wq4#ĴbhđGf '=T'0 Wn,c]@ >ٻG~둥~鵗#Z՝ Di"ÆdեnDv'G:3uDE? csr>$/89@T H h$@M=FnwIFpeHs}**ȝݺ]w;Ñ rmeYgeU/Pzxn=\k_H2Egޱ賤Iȭ|_\G{U"c[OL/B5slzO6 ' m kw Ătf& ߕܢjGng,i?Nvj/;$@`tv{`ob ^#hc|OSvƈ=~&\?q< %OmQH)4kox~ |(\1OO '^-lIeUջ9_"LRe'm2=毱s )T欦rlt[S:ups١5ȕ8*އہApzds }I9vTWm} ttQlv={֐nmw&% _Ͱj6Y]/F(r~Ƨ&)l4/r#u\dV ȗ f7ZZWdMgf96h gǧ|7Y^^hAg,N?J?{cPBu^ˬ8gg]]5um>k X;;8 H3W7K%dA3SH#'Rh3-rm˺ɯX}M/&4itne{zpS4* 3M۩jɥ6+f_qh*7Fh'VUe!WEQmtuSdX u p!}yK+O|. d3} #lo*nM&t3``nZ]FM4S5'eGȦ!0 Um)Mxުes&o/ar%C.Uy8EfYN;1ʱW xw?O0`j/xlp2=/ a0:(n8vl6!WW&C)d㷊H luv'"&527 zxl ^]ۘ\1j+ #!hE) Y9N%M4Z,s"tnl~SDbP2S{pf6Yg/˟uO"H mUavN9d2qdLPM{Ď u铻U~Ǜ5i,hkxyaoϷ-N`dEj2k5lz0R-vz/,D++ӥ0Y2dҀ[ SGFsHxiEgUFﶧW2T)}lM§N-Y5[ET2D (3tp^Jf]C '|,* u`N-ߑ9ANćShv}:0P8mf~oqvGNhp+R{\0 %_ =shh#aN Mߧ XqaNz< z^ԫiͥa=Du6٣FSd20|ϊh_e j<Z f9iڼ]=*2oacYg4k:,[]Iu ^F9h"єcD'{_WRZZsROCh96`Mզv!Љॖ'N_PTybRNf3SVie;kTlpwkmcl#b*l2.#VwrJaT%1]M1@ӭ{Fcb8B[Պѧh"uC+ہ~ (;D =;0Bh$;U2)Vi16Ƙ1U#4q/5t'c ' yrԝ!P9V :Vc9 @>@ ,vj 6N~Y'į&+?h^ Z chOUUⱌAUy 3ڕhjJb]YC ԃ_6L^J9E#'W4{ [-Kl6cْ[#N>!CA.ҩfwovEw\}xV6{IئMyz&oؽ L9\,ʼnBc1 n 0Hr(E#v PAX!|0K1O~zKl,պ02mֳ.+;t&7VD7DZvi;0Rj$= hLa\E-׬UĊ'h/khc4\Q3d$p,4bv]+ k( 7Gp/ X< vx`(qBGJX&IvgI0! pBa2H MW{BB ] FPo/.۽KTARвD/H?b%*Ugl@& 5@?)wm';Fyھ6‘Z$O /ߗՍb38"뵹YGy5s}SXpl/m.p,bwLdY ؞cmYq[{ Qo ӥ S% U5"z>:H)#L8&.ZRykY"sw2Qj `Y/FT쥯6`GM 'r+NrݐNp\//RD ~1 {cEW;`vL{(̴1r)\yTvXԇ\ڷN0iǑ&҃z=&!7f~9>@ Y^EEoh F=h!)Ǿ,VM`n V[2[S؞jrj+%鮞 y:Qy,Z&G^S, x; zGIF4! %e8݃J ۆ9/4Nhڻ.tA hz8nMF8X mG[w9 |S_$xK"+9 j'|+ְ6!Y5XfDY KsP}IvP#ßCCV;T$ lp!4P| jV,4#Fӕ)#^{upI:*6 %V>|մOVΌp+QVQLvh[N>kc; ]_]OL$͂o LW[E5 Y^J(m.Dv!Qꉻ:uCPk}{#y$jPC}vT&'X{ö रXu8HvS6X#\  6(`Y>x NOg3 *孡Sq ,[b\ի@gvof谗}sT;V@ҀS>\o.eխV1vMq Čhn|5"YduSgibD'??(9lp}=9// rgҶ u .~s*f@nю:.(~Uqoy%I!qtx(R@˫#MV*Nj+{oV7g| $"=Al83*µN/;K33t3ec5BdےOP A_g"g &[ Q޼+a|@a4߬vt.K@u )ahg)BD9 vmTxd&6sszK7U`?Kɱ|Ъ(kqK`iz㖴mݍS1̉/3/}DpT>gꧼ0_7y U7xxsˏң5?*;񟻟;[MgwƢ) :NN-AoZ]I? ߹׿> K+„}Z:}xƇxdQ蔼|Oql)lŭR=n* Gbd(I2EanpfZ ~DcVc#,8߈ͭY]M8Mz"cM2W5&H`HM\'Lp ,AicB^t&Ja'PH8ff$ŊǷm75w F Le@/T9a>.AAw9` Us^S!;Z68:`mⅫh쮰,pHuv=HS7@/V\ x'^9J# |9"IC#ww :v_H d4l=LGwQvLtoҘL%# G 7!=aa'9LInЃeM \Ά/ekџ.tw.9sҫ*gF;wbo|{:߻A[PPm̼q@0z 67. ڐn !~j3pl2-RbDOl#8u$OeͿ_^uUģ T9|hh# Ul6az8m0b خ3' Ģܻ7ŝ>N:gkڬiH# 0Fj\( {31zAsJen3?v@z`Z `ǽ ρ$bZE^b?ZO!TganV ,^b^*}ɈBf7r=ҸdM3mMqB(lUspHɅ@ws"nK23ͦB_ [/xO_TOOtt230n5\z$UWˋbeH / .+ܪ\ᶝZ<"k<̰]ڷºZ({SfTm.puӻ?w3=%wXB A+jjoUy Ar~f4B)G+@>nQ_ ɕX {do ԘS"]:H+b1KgkF&2g|8Np_:YלCe!!/]‡o/k㑌o*m-U.VgżzEkKwD hmM_̉5o^2'~=7RVR`Nvktр.8ȗ+\5Mx"E{x0<;,G`߇ȉcٯ+tE Z<BmU3h -9nU.~ (a[/EUU.}ԫvvIf1`-]n܁"\]rƥEvoMB|P➸_? ? BdŅ`~A..qW߰i"kw*ng}M+b:M%oPQ+/iʤTu:" k3%:Dcqp{ÞS:,S2?E>#nXs5]炷s^'g5E8VL9=K}dn 3p,~e <]&72d%F û;CUOPB]>xO3{ŽN-~Y/Ѱ(<`KY'(޿Q׮V y /]:bR9{ꍟzfI6>vם0* XdӸ e'%"~b( alǯ[vUm4i >}ne"-vLĞ+#O*]F0,iZx*R*[t@O)҉l + +ʪr8Y=SVqz؆q(MQX>cyiλu)gb( `=;-{dg`j5r@3u;Ռ>|V<;;gmn(3s z2G,>|!cOi;֙Bo661{ov^rdڿ93=CoG QBHsA9 Bcd5Qэ) 8IpVGr0 &.,$IczgΗR*yƃPR耫r"s-V7T&O^LA_&/OؔвV=O(Yإ+ɨRlu0s({ˢ],Kp qs@κz8몸Ɲ X`[wmw.ѽC0,R΁΢mpu]9A_a6a}p+)M"r[@ R˒z51U :\]Rϖ`ۑ$^RE7d zίeXך74iRSFNDFȌRq56?(98d[a`'(m {UuU~U)p$pWRq3V7A!HyW<"ߍ)a` <ԇ}HUF튒lEɧxZl diI!DObVzf v]\BW,mՠ?UNi\ (V15rt^Ѻfxd 0>mߴFt,̋캪c$¡/7$kԎU偄z\@T`BzPz5D'Sv=$CB&ͅ . dI_@{7K"({qz|d3ܻ  X䁹ijұ}G%@-nC2} ?kuaD>ah D_U|٨bҼe_9oEGImu&x0|и7ͦ'{[I།3^?LY(g0-zi -"I]#JwԴ2pސ{s߻^%ć/J5~y7 ~9kD({C#._$QgI~*pR ,2rw01q\fD7JK{wz51/*V=R" Sw'N*} m+ni\H pzҭSS&.zܲBc;]R̀3TH6@{b&{jDۇ?pIrǹwn1~*`jOŊb431cgcc R1TDQg U*_FPt(.Tp~ x]y <֚VW+{hEd,J@a ؛5)ĤҟF)4[IѤ7UҰP]UR^ Ҵğ(Jb 5 -P5wU-ٜeVeQ(2؅y~J*(rAY"x)a3/c15n#x] >"#B"(u"F:׿Y;bl6t HQ#+&7$Bj=URIʠ{JwJLCm*PUz+X*KJ@o"nQrp鵘}&8/Icvc-P;e= @>rxʐ0 jF+W(27zw <ׂ]殢J&!ŀR7>stU"<5l\8LryT g.kFV#~8p)\Z0@ˑ $J~`dLxZ/;ܔ<1Aݽ0[4UyRJff^m-kJ[uHP=gN;ӿs_41Bز="o3-hxR"T@P˘$8^`aX&B~)ah IK":0FF*s9fe1y*,3}KN"4+ws!&)NBdXVM l d[*1ˉ$,҇W`4*Ҳή]Q{+ aH1|+b7Y8Mq'oK`frykU>*R$t N%0&d]i5T!5\e\*e#fg]iFh 6會{hƆBW6bM[S=?1kBշ_ |7rUК{R$;jV`> ,"KC$%0;R>eEVszQM$øZhXV5]DKfW h1H%W/"3擑U;L8GdJAŞH!(W%"OFtv .j8\ qƩVGS SҚk#NPCU*fP2AkAlFٍuU93ͬ>MsbjJcL){SIe1^!i{dSr[/t0M)kRzy&?}pt 6oGaJSvb'oy.cS&llp=:ݝil~SAߍ׉C!U;(mHܲv8;Ewc~/$%caƻHϻ2ҟ2ҳ~9 hQ5"VU_c˩0CdZ[[D]I]s}owp>geŏX,pRyMG[1]^ٷ$sMg8 '(8/M¿_m7%b:% s!V<:Q{*4bn24o_^%iSp>gݐ?Ƿ' 8J=bCNkng.[9FRu논=}2_V_5 =ZYwC-vIí֧b9Lc? \죜"?y.[DZ^ErÓ~gT{ycOzcep1K4ʃ"o' {Qz0pAbZqQ4'8k@. X$ (ZlEuդ*}Me]Rhp2Yа%r:ȘcN]eIr #/.deԷ~+ǁAud\+ @ 8cv#!*.Mqa-zR.lp[EFiӥ10W~- -ĔXO֩ocaml-doc-4.05/ocaml.info/ocaml.info.body-4.gz0000644000175000017500000002703013131636470017755 0ustar mehdimehdi8=gYocaml.info.body-4}iwDZgx},@Leh}tNX}0h gYH!o- D&1 w8QrrT*NR.Y~Q >UCuDž騠 ` y #!O2x3=.3x Qjxh3S9j€IxS mUD i\V84K)1ywG(t\ȧO$4l2.HBO,EHB\|yHOS\hZaG>2씁QG|Nhe+_O0+`F&ǖ4s虸j$B3˷oiĻn2;F=8|n@8oI>7}Qдs_蹏yƥNkҩEpg",Q"%ʧ^wBB-/byz }5ڜv7w5aLMfgy*ֳwy,k4 Yg9M2/ bگ[t󇀬5ૣ'_>|ҁȣD9?"q cMC2c&[&JfWR)}ʏl@qyKѸoKhb{.PL1\$["{:X {`HӶ<Z(2D/#|B|хjCgWqEeM@Pg/:>x8JKR 7s#^O (Iÿ2>XgxԽOIW?aSBJ3%B#*C^M,HLth ﱌ$=a+q}" Cag.Bjl$*^Ċ2bEQ~^jgOPfPB|BDaɘ ,MVeD3i3I^I'0N[]%Nt~[ 5$|9m,# 4Xf,5I$lʆ3%2*[ I\F*@"J|U@#` QTM.Y<_i +#yWV9I@HYÐ pKip6GL\i;j~(TGg %.wUpB&(`ycUZLjC^G ӹ5SQz *LfEiopNaQŽH[otS༷<:xcYWc˲$0װ۔΄: 6MFa F>g6 Mc|0/kfʵZ[4]3ۍ; ["e(Tհ窸X@+ӻ ZkJLe\FIw>[bI9"ٵvEcC$1`Rk:x$@{ЉjTjo`o@ VNy#j,HغȈN-m9^`ݸ9J=" xwgÉAPb%`w=/=>$ϐ`_?t5c_cw, H{/}n{1l5 O{X{'g }j);wM!Evh]26$pJ8 t3RI }VWxߧm Q 0C q\WA_(YlR kiڤDv;n#ZSB;TEA=nhMØQN#_?w}6;cc``+֍Ov --o+(]P̐_luph^p ̕,eKqAT%0Ul(*dt31ڳq I\KAߐżBk Qyrtr+FBP!ur?l!|Vhv?>ױ>86+w&?P<%gw,ǯ_> .wV|''>KORGɜ4ud%gFUQE[e8^i,#-&+dkcIiEd$%_'T2< }spHͱt;NV A1J{>cUpف!Ȣ8XLE "\2ahJX7.Db1@9ͳclNɉȌ]4bCkV"ÜURcBШ⑪aKu TJF 3^ȕ"<&Q﶑1s#l MЍF`7rA8j 7XAbh3pgW7ԊՐ]'ѩ|ji oE l>W)8!^|rrƑGq)`(1IAlB*]5!#"!;RN5]&ozV`h:@qa{bEB6j%ybcyU2ɐE}26x`j=Vx:6|1s3@~unW%\_'bDR,C~fih(T_QsFe¹fxLҶ[5P'!abmV%b]6̳+O  kqLVKV?wft;U}x zM&wNoU)D42fhYChaI՛(CTѴgL"2zg(mC'ژh'8%6n.p5*eӶ-Yпf$3ޖI4%:Yl/Y:pֱWewJeT)sobbwcԊY¦Ob:|P:JRx^*KRCH+%+~d=4qRHD,~X 4;!ۆfgm|F P9dB1 ?]Fq!ub'N yK̔ݷ,G⿵r_U8gq 䒀r!Rx{ZT2iE$CRKϵYo iCCs\H|N7?#KxS[;*f1 ި-.LXW0vh=;9|QFO^Txf%0N8U/Sƍf+Ax7Tu$ l\9S1=5[B]䠹FF\|]#@a@ڶ`Q85!0=G+RX[Y(ՄQ0]0~:cte`A[πE9hّPP"*C$3M_(Q#f F <1ف`9rBJA3%I^}ﳁot떢hAwuY)JQhw8q.:Q$RjVK317 ;yMn[RZ(ZLJ[0K)xϦ?q됔oެgiHkI/qK1Ek[G(fA,@@ MR-z8mSE7wNnOo'e;B.M eo#&W6aMxAV HzQ=S6lc7w/.rH>yY TGE*X1pio nsM4+vѓ0 1`|nkÒ'm\=^|n JNPBc~93 |֨i/ m~!҉+Xdd}BrV IOBD쀕Br?;N$xT2KR'H&'qʤ 7c#`V ̲+yO:y ۳MdhluLN!N pH"ۉ{Y0YZ*$e D$WS44H(ئ૏x-ފ=A֒4S$7-퓳= !NŠ:!$)=M~5PZ.+TYs{K}XtȾ>{]Q/g=`9mp@v91=5?Sxo[k.)R?=B{ " ̾\l 9Py b6lr>|M80Sے5&כYM)f o `/†ov.tЦъҌʾFp#Ej?~̨OIzÿ7E&vv!o;z px{amR s6a_}οǫcswݺ(Bl(K ż༉W]?!L%LkВgF63-|#ZZyQL8g"-uZic"8 S8S;|\k;ҫ1:~HJ}ub?%RJ_eNnB]`t.BҰr.qu:rEE)Y6+PPTűg\&܁c)^x|t3[ʸ{]߆q\~x45jBGeFܱQ\3cZtZL #*<8Lnk6r[ˣ 5C!.˹Qh6`6YOPJbdF^ ݝ ~-;6;[“jQmbl0"u>Vm^_p u+vױ:ceGnUL/qm4t# NHB>;83mM7HOV>veT'pU Sl=T4W ӭWlH]`}jh]v\\ O]V9ˈg⃗ʋ>hɗ+J 1=5 wpJSyFHQPŽmqJo-|[Ar6 %qA"51{-(L3\|噰tT3 Mf((İ!I%*JeI>gL PtFB:'5{LGjTp&q^-qqE3F9{ת?L@l5/RsРG۞Wv̽orTDSbf+=Cgt*[p/v%k8*X2PO4^7edaj9y)v޶@>^LRh%׌.M%w v$Ǟ=Ý#Fd渋ʝA:/uڀ%itltZ{q'wj0ZHBnG\;6 Y'pq#լ,6:)"A("4MygbcԚ9 ĽB8:# %Wu\>Ե}Mkuٽ ݸG|h?*d_aLizoY}`PiVa.ulӸbŚ/J`40<6T3%9}xvsI'FCfblq(MQl~P^eJ|1%wbjD谠}͋Y{Ӽut[ɸ@mpn;b*d:G;YR$9zvD;:;osCu"vF6+{a:"hk0EUrq{X{C75 8*gIfgxoq\ʤegjҙ1:a+O-2JNU.b;9 DT:ruOx$ocaml-doc-4.05/ocaml.info/ocaml.info.body-23.gz0000644000175000017500000006525713131636470020053 0ustar mehdimehdi8=gYocaml.info.body-23ս{F 8ϤX(YMRfQ>u( P|L߾'*Jlxfu44hETqQqNYU.&%ˇat|/vhgQ/+CrWa+?Ý7o@GHW/w臝e56MYY6G]ҨE WJh(.t:NۦY~͊?j$3#;}mO)HopbҿU8HrnV_1ÿ<(IXưm8>6 UZuvA#. gd,tKՐOhó:x,<̱1?GU?(eTSFD_6';y^]GUAwo_ŝ? wr{CPϴYq2nHfjayTA+j2:"xx6Uj v_V弊È6 ? hi Eȗժ#{ ũ=L K<'py:(],G ܃` i$D>u}R's`tT\ ?ieh~z-⪾s<묘Kkk'fjX+w\BېT4z~;x5" Y>3Z &Ac_xO0;]4IiNj%A~-V L@;WDHZ.iIPc?vGBǢ q($sPvAFӛ)Z^E^ Zg 32ȶ=-Jj6L^ҵI6W3TE3py""6emHy;yB!["|.QI|ܖ2APB t-Y3utUOr]pZ7pдF1XNkppUEa@ px?%?N=X.ɪoJ84+ ,$Q.}h0[o̾xD"%+8O"8"+ՖiU-jp: aשO,lʀ -դcqy?#,6 6?cƓVC$m7g [C n;+X#kp,$j8-ii ܱ!k'+eb= CeÕQGzlR8!|HiK{gjbs\Uޠ=K-sQ9^*x\9x_4{.uK[=kuݬzɞf0 >`m naM PW0:ahU )^n ֚1m4P%}L!KT!Gt, jDTv Q$֯ gJ*˧tbEy»@mǸ^>x'HV:#aY-κxdiR3Zuyĭ|v>r=σѿ|^ ?^ULe_P$hd])}\ĢA7D½=le~\pM$+iOqԏ4Uiܣ~EeSq)~Nq7x ܀4V(X'Z%yU," Cq\] кbk#:nu'yE?-\rmBÈ{}1!;~|K|e3z/+|D4]tinWm&*b'jZyM2dUk2En>K9B-~Mjw&U\=+ȭV6-U@i>!B,+aEET fo8@atAT,>ZdذhDV ]bW#\)w=7XU#Yזe]gpL+/ԷHrJ Z9%>7I E, d -aTVPADddpK89͛X?z忈Q݌.6{YhۡJIT. bhtJԑ(#2ſ.ܗnQ$]P1pzoxeQAT&z=o +l@NA}yT~Rw|D_@JCDG9M\pZ޲kvy=bw9rA3 8I%چA2\c`JZ~J ߰Qg?ը~ Y6qNpuv_S`682 j&!Jpg6`;r|\*)J5ъGI"K~Psyu0މތSŵ/샮-جvT!HVy.hK|p=Z.sl Xt[qã@3<aqby8Ow.n =_'>R>I+PY=~ W:#`_q{ohKpȤm!&q݅}jb}㛟DJਅշwC!g{i0 ~!JA6nPܢ XV@`e[6`<}0A>աcN>j U`ل*Mť]P:F gBg!&<\V$j)Z;Cm"B;%TO|:? nVZˇxt9 /7f 4ޞ|%vg_W#/:]|li5sa/|A%2HF.5{Gggt:X!M979teeV|`;FmIE?~bgNgCbkAdi ާx4~+s#2|@e="lB%\KU]3G`'Y2D˪_* %\3v^Mn|ZKV[Aׅ3(yӖVڪ%!fq̱=0[nAl_C}|\!BnAӷMc6鐡,CX/ڧ"h:s236<ȿe=-t @*k& !WtЖ/@dzTcs 4#^o:AD fyX.WM?3 ТBn˭mxݵ5^mo_)?oJ/p|#Y_dC˼Β{ AT:) 1ύ&^!)O*tàFZ;rwj]+_+fFMe}7Z6ߌjksF((o/р|q3뮵ce1C HU=$l݇e-L!bHIS} ci.rQTu+3맬J˲0ɌtgBhtoW̸ {R!,D "Y62PkO*pn%'-ŵ$PJm ݄3cQ仞,-ed3 a.ז}ʺ҃x8'~Ch/+8[Q|nLiSx,__Bxqc<_^O_9+[ $9I1^hRZ?*ʇWtRET&J*B~_p78w?:&UڄzmʦmsncM>Џ^Zi,Z9ehđҵzZM_ )3~vjqY 4%l8i_af{[y2 ^YK#> 3~kcgJ~P5+9N鍭iJs>(> R~6)Qm<ѳgl1GRpOuX-=Fl&%nC lf*'qa6 ']SatJ ʜ'OG|)?*d E$Ѵ(o(6)I B~w0 TfDeR0 123aw}q$$h9ڄr>Ɩ27%7w< aZr+RѸZnJ+_B HFqLxT1i8_۰>Fs3aC%I5E*(%Vu֛J:K4!u0PM: a Q-(\#T}K߬n*;j;(d Q4#7=t1 :׺ՁCUhmBܖ㴜Y[!7k[ c"S.[P];Bѽ3LW9fCjzx (f8_4.VCVvףU8B*JnQ`P;Uהè)b8yrw"C'm< s6tk::n{{Ԏ,g ajsI$!4vDc(((ޥJ2`9aq'ՠb)Y(SV;Y1 lԯ)~ m=Wz]9?88$_6|K7,ZgD;9~6,(ԻJu@ Y?ɾFVʖV~#;i](EMӾ~jQq ]yOlya3sHn!O Vq JP߯4:|C|!#u Zw5bZJ84_g,$zFѫGGϻjCܮI3yښ v:wj1ARD ,8{X/$bgqVd ڒaݵQ%k!⩤oC韭&F stE[|5߄{ʐOu.Vp:V:+n*k\9(2図sצonzg ";qPzN94Zz흥3hTݽ!TPݽ$BQO2DkUklk4+Eb1M[+`۸ٟVŒ2oe&c&60sLZлS:>;[tmP{iĺ%};N]W_{arX> QmЩ 9k;G& AZq4NphجKVSͦZ@SoSn@FN+÷JP,@6CG{\<#a7M|aVuatzz^~=>|"XJL~`>FlpJb[C B(ٵoкsB=h![ҽ9\)GB2."v56ўж-?0E`h]mov M&P)ʚ5LĻiVu_%sK>onZ`g Tw7~<Xv6FBº6y@l}'B3dE6Ea>m6uNs뷆]o z_^Rl$+K2ͣ~nӛ mk c 3?vwJ1ykv[Whl9C' }HvfY-8֐WfgFނz|9 n f-ll[q5 )Չ>`#Y6ɑOɽxOy<%:bc**Ъ-ƈ}8Q<=h~(4J}N~̞Ȏɒ6eI/[kTsPݭ_Mw " f3%s+wa}5o`[ÃA( Me@Yd?D3$p|O=Vnw wwٲ%kٶ|j07ԳOc9UB>9@u;td|[@#.u.ue:o@[Fz.F6[tѣ/ҷћmZ5-T=uv9FY>!6Na~`뮙k k/$nOƆI,v+\:[j0C-c/,vkӮ`,0&jOo}Unڪ:w޹"8Zutt qa}1|7tUKF7A]-6Zz2 ig lT?vv#>n{&}m]sg~B>n@*~I^ ?ʴD\2oD^uǾƤ1uðőjlriP86ԠS5mAAc޺{cҠUgnݮCGkh ,}+}itOn3>5V&6WpR:yi5՚fF +>gTtWQ'+jҹWQ oA%3ۄ.BlA i]^NA0he-2s '.U80l0[L64]q-W} ձnL ~xq )z<$zYs|'zTY:,$v"s:uc* X8p\LPUM]ͅVU!g䔖f&UqH|J_bMi7Pi@P P ݚgJgF$R\k%9ZXƪ3+󼼯%OsRnU Aax@~,v-VhUN}Ѵ br/ A$pLv!2!},cat`3I>~\Uxƞd!t_)Bٛ7CF#hrLa.7 }.Vw2ϒdvt-.$|7 &*uP3STyPcU`yHgPAQ.h>*b9t;)2^ĩZ5e w6}R#Xczw|Gɓsk`CZe .6wpT.3)!^1Z)e/u=QhL _6ii?n ¢Ng;GRa׺PiVM_{zُ֙)l#MYFy tdr5RCSÏGgvTcWo" qVx~8:ykC!ļ~}akplk<υT'G'?.rmI<|ow=)/CQ Jd8ltc Ox:z1[NM <g7Nc]~xZ6|z3:|tnYW_ڍ7k>:9s;:^| -Ggv2bdCW 󳋟[_?:Ji)J!rEBot}.Dzj^ӏO~8tw.,-zu}hԵ.\/;mίX55+ cOwđPD7K p(kunNNOlnB`>o+>k8:^Hr\2 s_a~JҢTKqyuHClpuuyݽK o݅x+\3߽\Wo0b؋Qđv%s+]|@Z @O Ggr_5X> bA̴K89is_VF 7l@O>vdr+ӛPG,(ZSׁ//.~58=qi֐ĔOцBziZ\2u 鮭t6q{ 3k-t]G>֘y3 UXt.~>u osn ^m=\*>tѼɰI [#'5[խ&뻄9X.%>Nb=߲;֨4O{]7d_|zc>Sg'/5{4rfO0kUjan!mw]a&RYY/R Y2)r7*Y~ #,LAiNƵ5x덁 5-]رM 25U]ʺ2N-e& za)iE7ʲfUFֳQ22ݢn"^M‡*7IUؒt=p%UI{% *TpmwET6ͶT xʮPMvUX[歌6"(y[Ǜ.#Ci2hHTg~PwY0U*kem^")#AB1JNCpdbd,FP$B[90fq;Y]D' VENt St.WqrΥVyx`'Oq0j4TQ&Rx.M =FzȄ瞉(\uP2xX J9yf-JH!m.Th<*`^$khƳ䅝\Câ{ix|ZP ?砑-RZ{vdJt*fGg?^SF#P ykwsyupuƳ}!tee`^媄s&TzH#0z7PyR4eoh}5nЏ\II#P"n{~ǴPdQ1H47*pqs}tj孩 2OJEqALoaZ5Q>N~4 J>0<w@IDy\*)O(FNa2Z`O.ݮعvk=zY@-4,81Bڊ>i7`18&ӅJP{*R=/겁  '(u>b{je9nRgr(gJy`im 9>ZBUTɣʘIҵsw)JئvYVoK X+ѽ ۊg_&.j^]b9jo5*WKE@\s*Ϋmp!tNݒ6<gOThCLHS /?P׹]O./ڂOם=+~듏}#{qyzF z#R~#_Fv1;_y OÅrS1(O9\²U&y˱B6sqREo>xⱑw~uk2Ał2dG7i,wP p2|xᣣ Gܝdw/od{-]ONOo7_Zy0.wcNg2l[hy˵ixcifwk Q8ң'HfLb~:=gpÅc8nЬrxfdUn:9~Ct 猈YbɠlZ[R{gVB.E:4Xݵ(#&6>@_ܕ #Ii dId:rUL,F\0'ϹIVP\9j`&#Ul5c,Ř ?0*cwqJ  V\ِ-OE{eޒ }Xc4 = +`ٰ~Hi6?tK0#ⶈ-瘈c}[(j<%ep+U3d@$>Gm$VF%ezo$Tn OE5pۅz4>5_Wy\v؋< vJ' $??U:}o޺ط8Nvzƒ=whƍHCCX! u9+P Ef圎?embu&ޡes:6Gg z !8趢WV5>kL5y>pvbO+ TWaSE cv׍2b+bMO,kɚ⥙ȫ-+òlC}ڐڈwCJg;i9l$Ji6:?Fds:3OҴkKZG`훆 ?jiiۦB0Z%|jߙW$Hg,=Xy&t`i(ݟ( Z7-{ k;|GeSylňXu~7±F"])T? ӥ0"_t:o=b'!Q`U1:b9+ -XrXrS=>'s Ƽƚ3`}Ӻm(>ނF4oAJ6qx ǗM=tEsM[BK&?>hTFcvO<_RX.B9!aדXXGRZvUmp}qW5(3[9DhR^#feLb TQ޿VJ]e Ǭ6I5 U\PI}NlsT6%Q9l*6 )<ϊCG/6;md*x;uOɗ_(&2a;9+3&@ zIMm;:̝-Mrg!f͖;>36дz|ffŘy筳/^k zzx4}J8\ĬvɱE)gʙ=:Zʗi֘bN>$_sY"ikgr:Q'#;^yByد!ɺ}%\A%X4IApe媦 D-!^i \^J>VX/N D2` Ő⺑t $(vY3re0?'yR}}lk #ihO11/;N˄(u2qu%'WBgakL:Ud6}wȅ?;`@6 MaL`y &`j?9m7DJ0vf}H ^MOk9rpѹYǣ!9+-Zܬ{*CQVt:ä*Ab+w@ "Mj1[[jL[ 8>0=@qɞGeՔxJˆ83Q(z[=tJ*ԚXZd|_s7M9Cw(RVXO-pLPTpgU!K-VkhG^S3@cFNӂF^#oZF# M.FEr NܘԛSvjߟ:T\GמOSKGSEIG*2}C/5ư>jl[#(5N9h@oߒL1p3;[Qa$Dk+&C`J ; C$ge%G f\BWSkS[;q¡THA“T:^Nj8|mًHpSb69aeoH`?pBdeKH|K)*vG D j=Ӂ5}ƪjH%VSd7ZxkF:Q7}B3ea{O MW %)T4 pH$L+8jq`k,hQ5='R)4s(@}y-J+S▧Ԁ] K`1-п3=S]E;QMUxxF4_dևϨ&i"︮#&޼/t%2Y.=w8*eIcn:6U ^JB*jp#?ڡ!>wy({E=$SIzgCƆ FGLcgTNDɅ||uo Ȑ6D_|7pe.,QGy|L>zV! [])|p[`?Te suŒRT5-x+es+Ñ Q_|y[ث} ]g|^uXIͤ\!n-@fSLi0;֚O[|@{J_72֘S'sC*8攜a=w2^hU HhTNV'1X~E1K~e#;-<|ЮeRP!, r=IATn2{5=eZ-Ԥm4.!31D%rZt+&ӷS+'@EX|% 2IM`ނU ϔbx,O߅r|d1); ca2xn?<+ȡ\ tr>i!!7ɧŘ3ȿ0HX0\g;wb~%ct12KJXd:AљYoZ iO&IS>QzLzיOMÁMDt0FWX2.H3`V/|( tCu #iKf}n!fk3 ;[^S#w3+Wꭳ*kc2?J=7ўaӲy*]>"d7@6U{2(|c ڰ qw +Tr}NV%5]mK|dc擑[@[?._M9KX6UݥsЕ~ǡGY {GK?4Ҳ}^#MJ%?4C 2])~Anvˌ*# )ыINs+4}j*zUw 5iS ,u Hr.)[O,jEY܉[_:Xa*1p-9H]bt jЅ|TE7g ':k*NJ2VI) u2LM*8Rtp!WlF%F1N[pE#Qsz*;Jٺs՝%zzD#o,NwZ&7P1ڽd Xպ_bܘc"I8Z*3Ƕ:k'vV$ *R5pL5~:0 h[MȪHSK&O# ǣr,%ʢI9bߢiwJ P,3?g ttU-#Ψh91MR:e]g^TxaJ- A^ؖ{Mn@ڊL{He Vɻ" *UxH*^ND]3|v''& bƴv20h1<n99<ŽgSsd2.d^V"u31B2Z!7$$wc ke)3B[f=X*WHV$N>}.RI'Z9'*FToXeT,5N~;?Y6bN#lf!?2 KўY*PI8M68ɀm@l ېfQ̖]S Y84`q)GTa1fh5"y~kӁvPtf!"W΁Gŋ4G,Q=Nx{IP i>JflB_u)wZ~iUO]W !6p#rm*V g -fG_et9>(uҦ3tT`iWG #RP]U cY&#:_y,,FR|LA25 \cYQBz-JJDu\)8 Mf+;U5k@[RDcv2w+5Kskx $Գ.J6*浓B3C-Jilӷ2D(ۋ ќVmd 4"ȸc6Ɛ'I VIbf-EۄkKtu=֤E!YXBrh[[۳?mpbRHPW5 3jKFAtɔ(v }M1'P1)J8BH3{JO'}xO"߬eo2kgMUԔ 7,dNJ˳GJ,;&%RϺ֮՝a0FlxJ*z-x[d4eW{n5yo%EqM2,l0/ѡ}V,t߽.^V> {Əij1e_/×/e;=1F|wы{̅;Z M#W|15b5מ_Qp6,X:O:kNXEhy+avQLuN+C sۄَ!sI=%ТyMR|"z! f8a9SC31 [,rّ@P?|+PqYb${`Q9VkЀ`u3H\!uo;֒毎#* 3[{iݬgdFU6.zm\ r'xпQnBpe[}z#"T&Bon`e6;7QozBL sb2QH[G$' O9aAjЈIO'|18zH5moY:~j+jj[<1bbz]&M9GRM7o{L#mEP\ecJە #0 DWJgx0%uA?[Zoαla`ԔKKQzS>->~t}J.3JW 7MC.H^|Y3g9w2JwO'BT\6`.(1B$-jS?ߛ݊ϿT#$ۯ쐑ʣ/v9"j65-T<d`t 9_nǿdst_A- mȩ(=M*^smDo`I2u%4/l2g7RC8ff/#q઄E>ڳGQv0pY@isq>yĩ/{7:OvSFtEW}0ź^*+P*P֒Trj_':c"IT9ga>T_w;0c1좰cprR_Zm4 3`oLX.Qcy 䜭Zc :<0zA *: d3"$0 lFf[J$jR3ޤXAf6*ߝA`6=uE݃CE;P }'JF>{p@O{3NY { Xv.f_OgFVA ֋8 6[B&Ū[ղZQS N/yLxֶi2ߔ$jo0/2WFc.om:߬YT{EzXҽ` TV]Z׋ dXjO> *DJsazblp#/a?o0<Ue#J1Q;Am0 KC}67үPGVFC3*-t'$f?#c8m!1"s(}my?vЦ17| OOp1=Wv~wVIa@H:aŸ7ћ N~O>s`MC?a.\H^btPN #[c-lq|4 ռ/l3tĕܑ àN)MQsd_;\t͝N? 3Ե ~;V"Fؾ,`fjemsJa0S#6˵Q͂7..1LM Pd#_MP;ㄥ('}%6C<1Plt|/_u׿uxssƫW"lSu 9I"Ĥ1X@v xm(Rf,+ED_.↵v1J%ՂZV-aq]l^yuخa;|;툯^3̢dy^E5G>0D%ZP}]E5 s^F~%^o말::/1lgW'זݤvOwI/v-jUhhEl*^7W=`H2UA_3+.0N ~-ĭM1K3~[4(t2BItpg<-tUUj<,sthTt f@sifwr  ,hrTRՖmJ"-7A'hGpsrb|}z|z0L)t=Eu^{֌XGv7>;VMas{}J֫egΗJyx$-Pܹ,֢7 M8rOIg['5@cH+[jwљT|@F)$vtr+V(? ݶZ²clN6TTAǗ?X\^\_~9~:=/g+ISDwvhڤ-n +KcӦwu$w-s8v&l k-K  FDS9VBa fu8J(Zz5Q6q:+׮Ek*:F)9+) |aLӇ~|e|Ef^XD_G )iV,-Z7@m6(*&JwTnON[]A=s op}ytr|& ( *iBHi-HקFxq!_ .$w":;:4Ч:3cZh5G*ʕ%%Էh98?p`:60+gXlhUn//.U }WZ4N>O.ѯrVbE62F}լM<ͫ_//hojMiiӶmۜ]vx[jq |T۽ӧh.У\{AwRۑ +.uH8R@o}UMDh`#&6!q̉Cۻ^է=O/v11@\.OM#~#n~: 0ePVanlZX7$>T0 Bu܄`-@ner,^[PMI]SL8DݏW}TYBKnzĶ4Dk&B$myQS8}A{!rYjK[\ť$]`LφRrj}ֱJ X$Rlh$ۦ9hR_`{ӽDObeGJ?Pqa*tKUu\]FםpÑ>V>a5yU u .>!Wvv!eI}s} Mw'B5L=C%!vOA 2=eM&jډ|Ʌ "kQC`}@\_Tl?jl4_[nGOm֪c=2Ҭ&͚VY"mR}Jֲa)?*`;ԯ"s M<5iv"*ę[`tR)مY-7!ǭ]%=Lk<÷!<3VGշn-ivyCDXfFkOKt`ipi~אj)+})I-b9:, Y[*K+1с}|tqyqqy~zq()K\ݤ=ߣ{YbA8-|]2O0^_?֎lt0q؆MH(;VzdYsRuNV8 Wui,e ?*^Жe(gVκ:㻦ٱ*(w"W,F:Re9'GW#`do$i|$R ,]8qQX3eHotF'r9ٔ}"G}i8>\x%7=4hO&Rݟ2euؙ'H6B6h18]1%IQb˘3%XxŬ)D=N u&GBWTBʻJDGD2܇N8j}̌(`379q.[֪X_)v/'o+J p<t$,3qw}o?2T\w2(NFI=k%Zv%=UUD `}Om8;jiT}QPԠs3X^R{+6FB$>fmήr9N"~HlwsIڑ@ܦ)Uyan4Qb|:w@Cq"k B $deaYi DYLe-b1O}HJڱC'gFh.V$l^LO\gTiɋP;@ۆ5LHjl(F@w"Ƙ cR≺*YtL} 6$ \eJ.Kv#g}75N28G:^ؼHzɿ*ND? 謃@Mm 3*E4UPMTtt/$BX@t 9Dr\(Pؒ­驻bҍױsk/nqa/[돋Z47TD%|W^OC<]aRGD\ KIQZL[ zUvtsye)XTCp•d^ϣl.A7ժ G&yR&ܺ[3k8=׽\ڍ_ *ϻocaml-doc-4.05/ocaml.info/ocaml.info.body-19.gz0000644000175000017500000003123313131636470020043 0ustar mehdimehdi8=gYocaml.info.body-19}iDZgϟ ~! \)-`N5rwq)wԵgOBYr .J]g~XL5)@0JMU0kOXW:iD#GJ6+`^(-ZYD4m.|iK&-o fɂgRxTy,,]gg1RJ4LaB0*8Vr:NS2D#C3gKŊh1Q/tlҤ $i7S0sΟ<}K7 'Mx{>,۵FU H 3jP;- hP 6@:0iU5U\d(<M'23et]2fQ6BIa18 tev$Zx>IDk+N:ٓ^> E0?k:*ķgĤ1c73E^zxG̽4i fX f^dI JHJ5q2W$}`gQ=A&ȿw|'x+F}Tm4 @TUNk CB=yvڻ'g^3  eOLxZHU+-6" xh/8,aQ-2OV`-m+!B gl"Iߠ"PLLA5T4Y\nqB'~A†M QpZ+86` Kب\8TLBb+D䴟?zgXꨁ]*뛤400 R̼,% a`͛DŽ'>ȧ:Q7_D~Sd!iէ ݧB,}WOVy&CeŨ6Y ""As gD,g.F;2Lߐ8h$*fK4A @\`Yg`q 9 DEy{X=ȐMY‘D $UY Y+2YxK :(s zF4$p!ӋT$|hW@E`J}f +5ʾ'*+ws'/_w_}ۗodpI'< 4y2m~u (nnDŽ}@>ӏhߒeBgY:cGȠm"S& lp,eZ x81hDX›UJKwּދ5 K-4 : ]3#JA:Ruh\F"OXVsX ͜|*s  o߾ |2'A>YWC 6_@@ *"UGs;k81֐=hLNc5xMi8{4%tp3`%UΧn%; z3s>Og8>G1 Zk/X?XoYF"g F Oeϰ16z"3eU%˕E89 ɱ# U gM[( o58 p] xE+3IgGUYsa6q`f:5B3oQ MdL|S@F6c$IU27xRZ`;qtM^⽢,`8nEeaI.%';:jo LXխSљu"`W)F)9ڬG̋zWzl۞>ǼIzm<֤}9HOzY<a?oPYRʖJ,A鐬Z;CF1J+=4"1uX~'QW<qnVz c8r @*m@aāASA:_p&S+2Mv/PI/̦rFXؼUf-(JAMn:3l Eoy k}-ؖx nJ9SK[gV'x4XAb</mSߍ`TrMB K7\ h >ϳ@c"_Vh`"yhgI 'sxmTg ^Z'x ` 5S(N z$pT)^H|"y,:)J$9ޙ%{0h.@nH_7Lؚ A$Oo`< ;" ͟E2M'd+rk/2i 8ʍd$ fe/( i 2)ȕF( H stBM,v=Hv-/.%_1f(`#D7h I(HGm<0bf֠@w7Z+8{ߕe69AB,mg%@ d !F CNP!EfMd7Z`[H,S:c^[211V{3P EH Y-<g/:l7>"4:jB =/ϼJ_UDs즥/Jց;?3f'>uI `_Anm"dYŝk{d :dcSWMZ,sd,f[cV/0lbNA"Ԅ|JX<.yֲR,Sֈۜ4ϖDb TPn_󜉇tF8Wà{#1Nۢl!ێ|ɰBVgD,VHIֲxSSdi|G5ikN̅U 4y <ð[$ G?j,$zsmZ  GZ=KUi,)LMX": g/utl75 Of>wOϮ~G<㆗''qCl5}GӍyix *8b*:p #"+p9&&f1( Sg: {S{Uq=CJǵyU܎{ .Se8ׅ^ mJq,k,p[q2Qp>&>o~~>c_Ynk)k"TY9ڈ,δ(+*MʯKӂyw8gӵ﫦($j_C~/kNE O|ODڃHTQr"= Q-)؃HD1'0ڇ Gea6!ٟ @+4pig&@/o9&g*!2ABdNc9=wTLR@[h)`u\AcbK¨kP7Dٮefq|ahg;^–̀`|f LM^C #OoF ƃKMqK1TY"yP̦tc$,\w9v\ߓ}O? `Z$]b']=VGss9唲U/&>;/E-rD? 4{Tj KRI-Nu<ۜY  xS:ʊ|~E;j_bTa!1(;s20eRl/?珦oh~z4),Pu!6HrrK4:AƟ|\ "R*ט kbHJ_Uqf$m}Q ` r$(ǯ @Mv-QwF~phEK&gW+=$5;13@RFӚLBٜPi:=89r(8QY;r%蹵. 233 ),y!ku)hDDjGz4ngai ^RX<3V3a8a!)cn ߽ZHp-_|FV'(_  ῝> 7!4 SP u$;Do%H`)GP8:Yh?Iļ:(f9@DW^J!fL5P{e|. /YKhv=N&|j5Li>{5@Z+tzKM*h%k=8'yF>+bjO`>W` J%E00bUxUыyB5%g]58g'+(_%6b0tkM,(^%EW3.>8>i3-tw=B?NyROsSA$=⿅8Ku(d4:W$, ϞvgO~BEB "`KNX-Xa;L8W@}3lshXFS8[4ns9 ԠHaCG'ii b*ë'5H֓@^r W7g-G`X"@QHk6иn{AM%K !)֮ő?A#wV'G,\p;ŮpP%O.N pM6t'CdϠ-&ڥ fɅT +Rծ Z)rGy%딊#y6OS$/r1:e3dل,bmB9[Ŝ(-C(1UMa ^_a -&ĉ-ì‘ d)1"/{<`DP(yOObqnE}V,#/gSZj#6᰻xX х1yBɪT:Ċ|3@ÀT.*24PhAS< NS۰{G+q΢LրJ&١ w8L֖Ţ3:{`Np`;\=( iw!ΥiTb(hAXp0V DFYpd!@BuFU5<]v;Aa4z0~#T#9eF_/FɈvԦ{^\n;LKW!8#ldR` My:f \w6y )m2CI^3MHc)0/0eZ>@$.p.Ɇv%x 4+2qi tXC F[lZ~yd{6l9}pud|LJ cOKwEO@eSRA`"xÔ15'8t}]G8n{qOc,ijAPx%#@:0z#G&8h2/b,Q/r16>8>tHJލ@go H_`S=dxآBot\hHкLxX6]{&zCkݔI[̏J{1?(At&9 ?!"-m< tEupOF>wgm.BtDQZ\k/Z`rX^itRGNve>;Ѱl4PqnF ?N( {iCHv rtYJRzԂnO8ĤEEfvb!עO[k@$_h׸U*R|*ԄřgY֔ںݷYd'RXva^'f*jED2^A>^19rܞ8 @{ѥOIH<=U{ѷ8HϞgprǟh,A{T)1:GҠ|ASΊnHj {9O_|ڦw_xD,w([S^!qh۾y3ncZࣙBBG:xN=gq"r6ABKN4I_mQ8 UFoė$J)(t )Rj8,F%? D7JFEO$Xg RA d8JNbCāҜל{~SrO,."iLJ6cJL V'! Av6X5|b#!eb5--^5T/tDGE)8 %,AB \!6cB]G?ˎ585k5[YaL)F246UHyƥ*"g0zV1UыéTl]Gh"0r\E)GN%oq a2/x[>ғFYL +u.+#j}#yNdg/ 4DŽ<8v7[NH){0\+P}-.ys~TNlo L0nJZ)ArFhhHpvpTҾzg ;AH96Gd1@KD`G)z.}cO0R}?l(a8wo$zdg.[g_}!hP{}1lsH&~w B_}h_u<~Qy@v@ɘj F{#>c^ 5a&uIWrmn+d(™&pi+w#]0Y,R,6NcGvwLd,O|E3Μ%DL\>{6,7p_Xkcn0k#Lk޳^'|{-d%eI1GOE׏2fߧpvEAfL^`$vd8ODo86dObȜx酅j"2txvǁ2>?O?| Ϗ3<:# @u$b?SEt7CJB\XT_~]3[i۲܁`"j0Q BR*y9_fH_x VΉKzV}́Ȍh(Y1Wlł00 C"OBT"t_&*b!k'$as"pH z3^~@O/Orl)S0)?C-s]6> =+«ҙq}mѧ8|\%űYa'Ewޚ|h<3yCJ}⩼p:[b= @㟆k F˝͓}0t#{uvN}BMȽ_"(TIy% l.5TgFHU CeD^:x | )='d݃Zңu#@ ȈHB&"硥\zҏOqZ.|K K2g}[w=[Q:qkD <1㉢lȱ~3xmXPO/{SݍWg#7ׯҷ?[2>.Edu " iVN0.K`uyYUz ^}dԵ?HkZХEhGݧo#aݍwwo[+{R*wb _`#_5pB@wbhM2kɜǜUVBDtnCYDv+~dG #:0 {"{&ݮfnO#')&BKGB~NIP[}7%z\WkI_cQxyG@^ TWiEcNRm֏8>Lno?홾ť~է~}}mWΓ*k (u 'Y^=5ͳŘIj {Wa`ř}Nx{L~>Uu(xCf7^>:a=MKlZǕ}ٽQZ[)x+7K[8qpW^>] ݬ>Zw5|qW)`2tWZC0L䮦){pދ c=ۣOq=d~/wG뮾hG8wmM j0!vWZz-n)X#sW;uսn]wӋu)WYL|&q{ʿ~uhT}ۻE q{gO}n조OAIP|~4ĀyQ>b8ʃΦF?3lgR~v0C;OΓ B{;ѱ;;{ F  B| Dn'H(K$4)xX1>Ɏ׮8/o+]* g扃Q|nT_V(3tN52; J賲JICӃTeKoU5k,B@8(G*;n9 ivyrzOOe4WᙦRMn2fHO5*VS,5;aƇvrl0.1 K6E^L0(9ғJx ό _Py>XW}W^ZSxV5Fl<旧Amw_)9(䁵)jcב;^V}1bܺ+WI5OVNsQ7Sm˰C``Op8 x;GK8@ ? n[:okgBU*qkg.,#&E$GJápPy {C]z9uuqXlqH3G}0]a/!3ەߜ`$S#ƌYNcƈ_QX5uhܻKu"[VkJwUIw] %Kťw%sm璬f|\{-x&ײ ImnMT,nNܗ Y\ Z~u.rt>+lq )JL-&xXNtZiSmKgGB7f|ċQ("8Lt1F߅g2"6ePN mv`ߤ0J3w >Qocaml-doc-4.05/ocaml.info/ocaml.info.haux.gz0000644000175000017500000005711013131636470017626 0ustar mehdimehdi8=gYocaml.info.hauxŽ[8.~~<&QY!JOD %)wo7s8;l C=&9wN؛ULћ4A⢪fkv ~μZٜ_);Ї8m9:M4˫)*jHnuRM#~XD%FEԸfNCwk2,eE~N=}+'8<3Sbݡ:iΘ@v1ڲBuQoƭ'>iT|F%mt"ل(k BL talQ^2{D7/|==9-pM VZ{>\VEb{F _0Ȓ]ZnMP:S dϬm-OM'/MTH5hkN(mI*$h#@6XDMU$qGz+b=`.^i3Lm0h'Fsx~S/-uejM3dEGD`13rJailE4O-1-(Ǝ2ZT E>4b=Տd,Eeޏ~ D>*ss~ rɇ1pGno1c"; cB~B?p}q8%^G.tʤF o@Ĺt K4Eg@] 1lGUGL0ǽCLq53aHaHT=P2D{[á0oaٷ!T-LoLMfՃ|'E{&h 3H#sV9.ʪBPMkٹgF }KUuaڶSUa:bjd8$/<HMdM^ħ~ ]G)Kt/P]px%=.M>/I{:ė(vkʁw`/eT5AFjJ'U>12x sy3F{)_2~2DϿR~E317kEwmܤڱj.5M辰aU+}XN;g =N8570SSnc1ݢ>G21<[f-i?R{eGv˛*KC\ l ۷EEE:E\zzQb0Xlj[I|OL f'$VD;Eiw^ރ^,f6^D,gA<.Z7ˁOEzc vJfv)=[̴FQ6QcjyOlx"-'+n9Ipm߹}=-;9U[%~%ې[hȍ<[U)Zr;Pzq~p*L7-j͋z&* >c蹧]Zg@yij9?t_jSǦ<->~'{ݧCaXrCVrl&U'qyEP3|"!BvbZhب>1X&z Rъt{&6ܰthӏɄ"9cSN`d?Mp??&Њh &xյoDr.ćo-~}Ga1ڦcOA@~+֑]tg6p}R;B M .d@;Nbh4W{z辐d67s4urAWeSPi/W` [`O[&v 8IVօ(g,-kuZ)qY&S!>qzЈ 󺯌f`Z=fE0wPo͊hO X8ẇj2};*Q2??Q\jM8l fnJOWo@uV $dy(N]1y|0uH;%ڤzT8i5HBK- Z-%Rm&4OzSC d]~ "aHjpu 퐒ѭv9 7/ Pqn?pz[D tt`?P5/ VrAmǧ'1??Nu}}zUlj?~TF)*BLW5D[<4S]"O^AYwEz&T **eW.2<Q:e T꺆WVP5<:e)v BZT5iS_BJf|ZUA1L2Cpzu[K$qiE/D'Uep)Ӭ0b61bRyWû VK RRpb]u`L*RZT"PˆJ fWyo&pᅣL Ҡ6P aalKА¯ x԰#)^nQ2i)s>IKT+s#^qN&yUS}h)!\kY}/SXEu~`}o@ `6]=*R]xQ*DSrs/&9pp}ZUE>-Ef^oqv1 <>4.gPz*[#VA#,Xf`Yvp$sƮ]|u h\!izԲIqn: R#O4PVw-|Mh~z^$Mb>EDH$&zh%QS@OȣQ_'(,u4G'i"7^F`}(Ԉ ,Bϧi"<,8l"'6u]18Aqf_I$Y+gVĕ /al}~,#S,(E/FQ$ɱqxЌ8w !4ҫKJ/eZE6u=*"IUQqGms~1 8~T~TX[Ē[ڷdE(ʜ-`^:^E!ܺdB;)t7|F c!ϘW߫~2R󫐙*T8MA40M34Vcۣ@Wqo Nec180'"LH6Ai:gڟ>8}B)c9xnyX2F~Oǵ˒kg{0ñHU8qЀABU; %m\[G]q؏)B͂rU a(\WM)xّ} _sE"%1ܺ"Va?&[M302 B_Kd)Yc&0g82<'82lny! 03Sb R&N`Y* mgTp3`_jJU?H9ѐٯ9Hhn9qL'XX9T l9XbvTˑA-)bЫ;=c@f>wd`<@)p P.@S "Bg}.#JJqĊY(YlQbUID%4HL8Rv]BsS-(gP: hy\EI%[XE>1>}WLjuBuTM38GnAGVG /BBc|YFgA+7"hePFاxZS'F&$G ɔ|LȧM,P)ϑ1k` 0@iAc 9>(]2æeNg'g>*h f~ Qe4]<2VbE!R4#Mi 4/_lb hfA `sٚ'+"Y2HnXTiZv3>D.g}zz,t?<tqt] I=y'i1ncŁJL!9IDMd꟣$9DǗ/ӌa s),0Bܲq4y'Q'g?4uw2")pelpi ;bV`頃,f/\}\{t3tRk6h 7l3Ǚ ׌葥Q #G蒟H8ڎL 8(K “IR悐t0 I8(:LYG8`\=oPMo,)h:עZ!͊j==PBS@홺i=ϒq Ces14I뛗_|K1Br#OH+y5Y\|5KX*&3> #<}d~| ~o0`؏ J ɜ NuLݥ>>?%11/` A ~R4d^nư2R=`u:w݊suVEs*E5Q.$ܩuΝ"DO3Turԙ*:MѤh94$ȂP]YCdY)Ӈ@Q豭}P=nc+2F#}V2q61",q11բwO'Ll(LUA ŷϰ#dy}Y+i((_$ c--{s߲USj9T 3Zp 1Vf:){9MYn짷#<nդgXXniF6*PemFRz&;@蕢u TERW(I\WTJ8Bib=ߢCBo++C%!zz9E{ˣ jnsuP kU^P)ˢls5[!4&QZ9+&L)CNϷ)/G(,zwӓa/k U6p%hbSu@؂ %[Юa!U0-o:-@5W,TQ&irI8/L,=$B{ K.Tх=/4ho , W6D'3ReLϢ$^V%AP.p 5^p]xѽ!(+!1M(WZ)vӎdlmDQ0/;V@Z SZѧ6!vAڐSFzvD2iG!f'_ӎVX|bOmikW7_(3ΪϱP+Dim(B+~StGFgw5 б*kM6Injhk/kӲL4wncJa6Bu ,61![chna3"E`C+'Mb& pXԎn,-g%x3Z& ަIB-7|z׷i&>ڰb <hC/v FiwM"H{h\Md]` ]vsep2#8[)E {b a0(<xES%/Hp`:5;Cs$Ǔ봡'u>LK i┿kivu{fb]e]Ͷ[w[7 R~^~^)t?Օ[MPCѵ?/^g?XiFw>G4!li~{c/?fu9<8y[VDRBȯ$Bԃ,]ҝPiHNQ$-Ќ~!FH1k'2T[ѱܟ{_T1}~RT-vݢ3 c/2 ^^e+nQ$0 c4JR鵨P;1XK#`"~$9FI4>Π3H%HuuPR>&O8@ov>VًIY;,id~OSn3ic 9a~6JҖwq7NYd5 9G@fz*w)ki&-fnmcN{M%xz(˖'yZn2|œ?bW#(s7Mw@)1饺B\#(=e7g4WV|R=.XC-{|@2\/DhH|se Qۙ=`2~XyC{rѽXbp>he+{EIJb"jq\r첇5sexL}h\FFhHd"{8ڋQlrl2og/8{MG✽b&sOF4iPBL+&4hBRԵWZ^i =\ [pLp|b!oB`GdaqV8aġ:RLKsl<<T?JJ:8rfM\1+!DJSrļm8^N} JMH VG"Ԗ*H5iH2[vjJ:Rs8;1G PO0 P$G1lGan?G!#ÒFDPruĺBj^+z{?.QrrLә%84KLiVaLn|e_ RėkAN63( c瓳yߋUfl傭oj aepw FMF`q\FW%u]*Zq5g*lYiD䲓m~e`bhs3l< 717ǩssL:s717mɧOʹ+8u9&J:ܼC蘻ي9.nkncDs^Ϗ ։9R>S,ёr;J.11mscn+bn܎5jؘ“1Z3s3Yݼј17ǎKC Ơ):q('!-%YXY4(AL:.Nk!Fl-t \FZAk!NcZEB5ka F] q ka8&z-K۸}6'%#?+0XE1RPd7@G cŝ48I]Pi Pn |4sv>YwrL>8i㩾42~1ļO`E;7{S.{VblxWMY~x3S ȋ@YEEjT2c@2eѕuw;+PI1kqd5tAnݓ79pg߇pL͈jwH`"ڒ*bʔz'ZJd*SS)شkmQ Q#)C2Kç _iQǨ1bj#|!ONILܢ\@ C Qh+l%'oC~+Tй"wX}AS.vUNWc*c8ArVIvPC;n㲍|(^E~52Cl1#k%+;#ZP2*)%=eVW QF66}yWo4z^0)$x1ü0qr-) Ĝ`)8/FaQYux8_X:_1 }{t0oc#YF9$2)1uǬ?U(?lQhRESSDdc2%"Ž%r'78;sE)~BcVKW,r\ θˀr."}`VFd31& te)l37c-(8~;UgtӴP;EM5 ]@]VT.wk  Dz!KD 6ٿ@SIL&i*^Ef,LX06MbN2O~+4B \BHx;6`*VE^_:<a,%U07\b)~ j+LبzN+fr٤d 8by2yUd,sfԻ,ڟe?\4*.*s~R89H sQRQoe1A}YZ%1hqL dɘ[Dz#fh~o$tA{^s+|;%^-XgbDу/%44z,b}XŁHp!^c2E{U ܯ?D1>4k}HDHq-7A^3ƽ2n܇5{]d<Ω 2TN -HU+4VJOKTP  ⫠!1V(#O/. -wE8CzmTYs BˤlM{XH\"bʈ(ۦl|JS5$vAeduTF*,LY"z_ߏgia^jH/Z7U}0)WEF ~Օʪk "zssaO/{ 7XGy|[+|'Y%<BO/Qpn Ti%py/Ẉ^>#Ki|% w]mwEJ,(PY-zT$9< K;Т0/,O@W wKP | SwhXawḊ-7*~Yqׂ,V|oǮ)*]`}FcX)BSǘO:43_w C>3!!COr9VS&a2^oi !;1Y^Íd:c#X[2 23 Zѫ X"3` Epe~SXl9")>u­:,:8"PjȷdW,\9@5[̗P+RK\T|+%wbPoVKRPM$fRu]LRPp Ri A2lx_{ AZqep5 ɇ &`Z |Ȍ\3}>+ʇp 7A@>ˣɇ07t>8'qY&1=UiVW/83E P-ߔȲT(];GJJRs;$5/%.j=#!y :N!YbJ{H\ﰽp<;0hUP]J]Jױb9av0xdI=:LϽ'.Q' ]C0Y3v`]sCls^Q6}:}A69(Yc=A^ܢkrN(4 ^&~w5S'ɹIJU(&)V» 'ʌtbɗPr7!/YegU^?g%J$?\?z' -X~s+XM7쳴FR(P\ˠBy`=hqX0O;|'eZWyOB/Sc@E$,?*5BY_!Sf6'~Jt{&Y5ĭԠ:j?У#mdCMsNpKpT!.0C\ǁihkoUP 2L{@hkh㭣SzJN&~>I0@9$gcTAL]M(_W0:<1sI4FX{;vy:W-jn![\(-^Q.+Gp(XB[bJیU%6hPN>Rq`"@]8F% XX&ʾ~3pWQ2.93NU.XX{Y Y.4rX]5U T;0n蘎Cs`RdA7vy]#A"A`'~b,d>y7e/P ,B{9p7/ Ra8e"@),LKFqt|D*]Dy) 0 5/+Jaq99g^bBc5NMEU1sEk!X8/OJa:**/X;/mo!P+FXS"$/w‚ڨTKAo*a>(6tBe16K2蘵`Ջ3 Y@1FZ`1=z{E*YL'KBM](KO+Y|UD}(N,_23Kv$[#kE0V ܯ|usJ;[T4n F̈́،be:[Fs@)F(c/!fQ,Ml W3:bhcxt8 #f9hi{g!7&Sq4E&18絎b84g<Ge8g859!<=ɰf%hxzSA҄xiq4[#Evjyu꒵&FǴȚ򃵦*"~u±s8\t8jо2j+M<"/$RԊȺ_WRrT>+]d#oQ^0'7*"ΚUt f92&vnk4~90q'_2mSTEPC,[Rqe^{V bLwHLw,%ggK%bv%x1DdRY=E?:Bz_V7e>ӐgwGۧ=2R|M|B] '}D }jr :>KTdWBO,CP5(Q\xdViv\㢳%*{5;`Ȱaӊ#DTORPpu'JZ^P[vwJYEU;4J)iAi{UjBJK}JTveT8G4 R #lv[wh6=ĿdR_(|-81R49* C#++7~Uq;8 bj7!Rv VvW{ U+5+oBdFUbއGbFQNRy8=gb3ߝhz4ERո*׺Bh5f:y-jQ? 9E6hx?4 !)4ǫn2 hM 22'י Ɨkb ~ DX8yr{I3tܝDΠbjBW*5E=^)练35:‹p h~O2[.TV cY+1HiGe~!Ly/ hiuYhnfn/[m lQT\UXLql.ĵʥքw"-1ҎcI@%@3fOwUSUk\bqw !DV~ ͞!@6nEgSd 6\aM/we }4sXv c6T6ED,]s6Yo٩NTY?!h/P&=7UZw+;f i6ۛrr `GǤv>p"5!H{@KBڈX-wh:Yp;0 'pdp^ bAd\U~zżBRпb^Ar&P-C֐ !R@r|8Or DORaOt(^ "2<:}G8jJ=0-w$=1ˋtjq6պܶt<& gTgfwKbY$Ys%P4J12ߍ{(? z ϵm>}6ܝh5$oml(E(=9Wڋ'd!KE3_BK/K\Ry ь0]Ev4aJвo]+FVۻ9P,X@c4D34Ë҃(.DQ"KN݊ʏrX<#闈9#AyX4>u݃xKO /GVAu[kG1$Y]!,1EИ`}HqW |xBEYC9dxҘu EDEO=?PdciotX)1V{l](ԕ)H2'^ךZ҉)΍XBIL Zd #(4x|+U\)II+ o@Q$/=F3:dd3+fbWO?@Tq5p$<"9$qU;28(_b ,H;L `Lʌl?Բp:u J|V N8!%o8ҒDE.)-5"V毷L9a,gx;-a9 4-*գ(FDFZ<:9KCv̌Af!Ɏ(1zqi"D-[f0R^NP{CH=Z $AɺFRdYØ9֪~r\:ބ8P]8[8&$Z$Yb NU&)o]#Q1YH:ąF/IB>1֟#KKrX| *&5R] yв Κ)Ș%^"HVd;5T cX`\b<"KRdu^B%MY)Ϟl6vrUڄ$'D!T`] }Kt UH0Y^\PfŝL]k"7' BAa$X,L M~G\oǥ}SSi7 ͉2C5+_b3{JR¨x[Y`}(Z-BK[ՃvvܨT0nIgp}xআƇ|b\rTH xyi˔yx"k3X0F)JƐArVaU]B{l@HҖ%cIOD/݄ OElM8[ҤvPmkPtD !ٜ}Lna\ms/߆}2<$^w  No~zLyiySe,Y fz2  q.u^=&H#@j-%*d:rnCOH,oG状3U,Q{wǃFʀ7SdX`SQFlQ˴J:,7K( 3]YkDwIf ;/l5aK60ii^ĭ qBd 1jƦZrnm@ÊjK-ZgNJ>0wWrU"t6^74I$Æ֦۫o7 As+(JϩS5q1kǦwCpT"AFoE "LsVZ%qA%)C laЖ&eC.DpD"CS&:60K\mг}DﰮprDMVɾ͆O*B!ck:fXkU1on&Fyy-yi.\>Z{tˍuI'[ЄSc$zmh ^Vh gX}-7ٙn)nΊ, ޷}k|Bb[~ك.71ʾE^fl{z3cyD1wE\]MIF:I"ܔiqUsf.IGӬꯀRھf[a˿a/'?[Ŀ50̖Ɩ hF)3Gto^;R٬r{c/vI0x|j{syPnlr}OO)=}Rca.çh?ї@Lbߡ9䄩8^2aށR-1}& ߢxl(%&*WǤ]jH9TQbCYu\U\J095fZSd\4E5AU%ԅw!=6jo,cAUü"}&4$:0-GEYc"!>J_$[+&`$¡8 RʓX.B"(1(bZ=oBh4thhR#%H?. Q Cz^P5ѹ2Z EX;rؑ5*JB$kx\-w^> 7IS]a@Wc20MnS& MU 0&H=Wj a4޹DCxތ3πuwJ<=-W)`%ߊje~1XM\iu,Fa_Lwqs~&AXSr#.xL>y{FfݏO0(ΰϘ= Ɏ/2M"Iyɐ #qS<ްӶ_`g$gSY\}Π1ct=%Dtt(tJD 7D_D_ݏM&X-tP6RٗHBDjgTQ-(eGYV&8[2MbIE֡O "\>Q-0I|GIt(] ߲ȀYE =L(УXfѿ= PXh Dk(srWDBrbY`bCq27s"D$V}A\ha0GXa%K Zu*h^#1Zh|B#UK8G}CyūyM~?jVVtT!2@l01\0`M^qӃ%l_G81 ` G)ɗȝ^"=!t+F> rT ZjeY4/}ys6 Y7\c7<ٯ,^GX AN1ɜSG.BS'ո*ƈ8Sڔs̵'MT:+:ڵsꝐBG Y}@R{l_X8)frDۥ{y8p$Ʋ=#v"ـ; B/+j@ Z(Ipxa- IVAl=P*a.a3c|X $YfodP( Xq MC^9@EZE]*d9IU2B*VaS(LXTDߜ$WN(gs){^/ҌP*EܚX(e Si8/nU;1 6J!fۘ%ǩD~MQTNNF+ }bʼ^~ YzY8#Bժ$ r ES(B1BfD!)6GWmE9ֆ(>yq1AT+. c4V.J_a d&]$6l:pǖL{n3uQ]esJ˫&_Nw}XgE0~:m5I 50Z%{`K˗"oNORW OۈOrB݋Cj؏Nkk(u H@&l3h .F酋K.qxF#{ueSe2))RuTh;PW8Cr8gzs7pU>yN?tP!ax 0e;5AB ,+f@D& GJ-AZxp1BEO'lxRO"!m8@yБI=<#Ӗ#&#ϓnyG'cr|B'w3440cwZ/\?;\v)iMI;ç];@ vhlS;46ح vanUl v+c]hl[Bcg\3<+cg(6xVxl Ym&>m#$] r@ Wra@9,{^=r+@2i_uR6i;s60g9 y!+bhT9Oۙ9m`v<3Q  NC=*z**i=*QԽ󿼜6}[o8jocaml-doc-4.05/ocaml.info/ocaml.info.body-17.gz0000644000175000017500000003017513131636470020045 0ustar mehdimehdi8=gYocaml.info.body-17}ks#78bbInKyi϶=~t_wSE*XE$߾£^$n{lO;vB"7WU43J[0&WUs,ժ,63jS25PE7bI*݈OTMf@<1S|e΁Wk|hdEnp8Ro,uX&ת*^.wjl fyS "p raeI3]f)t$@B¡Ί:U637&X%-+t9fc6^o,6WzB(cبcyQvRlMn' fFma(2S؏l^AƮcJ+|Xè@Zg*5Ha^Ҭ@l^y B96#eZb`n h| m;Ջ&Z l, ^j$<ɕbK(iq&:UD9F[PatYLq>f SC+{U3tgY7A+Sn4_;+B@b?mPGoM^_KCL}5;IpH= @^EFȃyib4rh(mȑ}brs\I@?'S[G)ZdSO6%+6H^8?-PZFw@wmIg'C5\UULE"Gn 8H*yD9P/ڀ#,%gYE"g-ͬpypF߁$R+L_Pu!V,5r8!6 Ls@[_,/DeOѶDB,o~t+2w8?IUU41[gS-‚7I "s6NmzZa?sGpAy$65긏V@'G|iI׀6 0ke1+odPo_|2iC%8!DҠ!DA# N7:l lr![, 'Sf~|ܥ4)_XX>) *{ 1/G!@c|ŷ @U Z2 se.҃b+tg&D0ȋ|)ưN#(dc-]-LcM.8>S3V^V5DiGs PePP""!˃ަ'ɤ:=?gMVJԸ*#؅:'Su8ayd Nmw'30 'V/'߫DXo2/'mA3jj+JݭX/l8)^Bm/>$Er+$Xra0} e;0oYx9:rFE}iˍ] %AH L"cD-(o! ҃C()b  ¡qhI_؎6RKb){L>s"hʰĸ 姘mОq'y4{uTi1!"t\6H6N2Ƃ}~Uy/:'ƒcF)Ex.n$s)IN@JhT88c24uvKVu4b͔%̀"PN# 0wҏ)pVPӭ 8! 14t)aT&.|`^`^ŭp D=]bIT*AX9yrʺ5d ж!yB7VW ~$4-|KAX1 )pQB LA(ծKDPBj[dvK/^</7iPJ,4< 8Q]lKb;Sf)PiHtbq /7g;(p.Wis.e4<E%rU#-+E#h mulbRMO .}}6~a/ʴ֭JeyLa~ iQIhw$KgthSJ lEix/efwz~:3# [/(iEޟ BFM0!`>?>?,ֿJ;^ޕ{z 1#. cm3a%'6]Mum8 e98" @'dʫa削)U!v**gZ: v@˽zKEy5bxL&dgF]:E{{ n/DD} v:$} rKOf>ޚ~FVp̴t^䈐n<OȑKW:7$;+Fq7]|Zx f ^<( L<WԹAGVD M!t?e0~O}JJeQZ>8Q-m QQI{ :Q,0B؀)F}*@5y.^ȵvWW &ڒ)ҹ7-Lb_[5\dч 'z Bap$bj΋sbU)l9Bj}n͙1 mQgKV""t8M/q0Z‚Iܙ,ݤlbFHhH$ 9Ln +V'y~FL'a| #eԷ IB@ ,|@8ԭQ{o̥c Ȇ5Cyh+g~rsW,I |^ '_6%Ja$/wvZqK4RG(o@FrQN0fRY\4XS}B&;R]G:$--Xa]c_r T" y[ S"ڶ&Ӳ@T>IkULN3A_|Ka  /C(Z|iOJ <eKVx.rq0qtBB;Mmѓ3tqpZ6ѓCpwMZ5PKЫMjmpI"G2H%'WB,Mrҟ{G;9jvůq4/;jge7M6ȩgXҵՇhgBE;V65%Oe/M)Pvl'9C^ e;xU*.%WhUƼÍ4Wù.rb_Un%uyɤ.v8C%l[^zxnꍲ4<]]cpgVcy=2ЖNp40y!i||7w@A k4puӃ}Dm̃T5-CvD3 |.`޲ +*$X1@IG/K5nx8\꼧:!2a)e{~"ɡC/N3-LʚlWvM{U} ^UpG0rr]jۆ h 7D9:hGI#`8(wkJ$;}u(-ފݍ4j::k3Wأrh܋WsTF;$ɻ>T*Iq>JQO+=xSx uo"%uP7-Z4pR)އؼe}r&^89;o$TȠ_$T䤫7fo )0{S`G,0kI.ޔI>ʤnGvOQś7S(z)]Nm X 2r_jPK2)_FTZڪ%M՛R`U ?LQ+\Y^Ed}c); 18}W@WXŃ#YX(z:Ph7VK|gɿHR1{gUfq5`+J\{\RvE􁪫7 dxSjMڛ?hUܛʵs/Lړ굧=kCkOB˟_Fb 7/Yut+:($ n I0`:ٔnV%`sMGv5y ]c%,-V-Dy:8N"H/,5<V4EQvV68y8U&fT2C(,*X4G B#4I y0} _3?r 4Hq#Dj'X0f@2| ` ikJ)B9^.xk^o}-K(:fE}ơw)_DD,EI$WhRtR5פ]Jsoʺ,n& Jtb>[9Tdz,y\LpQUD^O'>u9WYPA4U-,$%5kp=̃jѲldm˦Dy؊ш(fk?}z(D+x|{0^S8y>5Gq[@l >9F^ZKVWeeDZ_%\soK?N|Ek7{4\KqUl/ 4`74G.YffcxS,&HZKLDHXR¥O3hG.:(-8`c˔ƹp5"XleuwćT\I/+te0݁Ņ.ĵtǞR* CCi)1+m[`a:]^KU)r0Z rLP7ryORTKp?eJY8漊܀_KH'~&sF+i_Pu ^^5LkR8_ ?ʗhpldp,ܺd Eƴ6m 0Po2Go A3n08>BDbxӸEdn'2@dΊ 5eZ}݂N/2]/aDH=>ܕ/} xړT}'d(4JAӹ~^}ޓsI qk RUzg3!XOJx2;NQ,m *Nx[g3q0;I5h݅'0bg. w 蔐 4-@)w ^[>2={'Yun݅LQa d֥ S\ NJk|mHó%ζx@i8;y6消k S҄{VȯI0mTpЈEcX'ΆEBiar_+-O7Bh0Ujw;7mm/2r>ܜO37\8%X#w/?ū hȹw/3*@:W: ̶Nd.a9d߇`Qhv}}#%ymIe"ܶ$Sbt뜨r ]8~łw]ɱҾx)_n$w^&C9?{XBtvn: ג +UrD gϻu[<޳@4v~'BN'E)2DBZ{:?VM؁%G%77/2 @{5rl5;WpBv/yPLr 5a@cűE]1r9Gk Lc}zl +h=bA-+M+1$Zl\J9;=Ss@ 6Mxn 5Axf[Y߿M{p4^%sk\mЇ?{GZҳUskocSxq!Ux-?pNsFi;{ naV٬yEz m6.']a/m<`= EjCk4tj_YvHSeϚtޞmW#6/KƲ  =\Yp~.yWjYޗ-D;嵴=1.IT&v>t_6 ҧ؛,z6̡z εBG6C(Y=f#I"Içd:nN{9A'B]yhnn,z4 3xsd%m8N<1=YSs{kGGmJh%>^x{ԣzǧgoG(~Q;d5WoYN3yJ]PohM9|j7x-:;J1iͲKt-/IgLRGK#LX&ǰtͯI#N:ZbdXT6.ٷ Em_>, ^SWZv{|[GӸ8]ӆ냆6a`:m/".J=ܧ]ږ.ag  ^aNr2G|e++aoc!T1-d~joO#b{ )0.;`3zp>,m0qlrR?Ʊ0ëKۻ*M8ѹﶮ V4:J0:K)QvIQlQ%Rҷ},5r J,Yp|+C* trF"Փ|BhL4Yf*H@,L&B<[o:u1ZZzog,a6oNPqLdk ⏙&'.M[Mp@ .U&|.ׂwHIoλgw>cbw\8öͭ^Ώ4,ov/K;?m-1Eed8s ONSQaBi46`{4lK4HxNp4 ɧD4<߅C@[R{;Cgq 3" iF= uuU*\,T%Kb(vSꄞnΤ@rlx=h_]uѼp֛Ps؟6騨M}SnzQYw";wwqN> fK9AZwxpFK/Qp%ž)EgY<6*?P j&}?"o{p3  ]҈շI<33~? l,K}QTPj#I+ t`i5gS[:jvc@p[☷w |Nf:B.bB+V|h\(TFĝ.yfd\ݚh2D0f3eR6˼6M;\-`0&딼BM ,5O82C'B)4L+ӹ)r5eFf }SKȋ9JP$wiw규#ǥ-â^jYg2;psX?J<~̙7Qn*w%yg@Xx\C+7=ʊYh*ѴXjԄ}i*`SEjHML+d,NfH[vXNc]*IrrcJ:W"rhI)rLc5 U 2/ Ո{mBkjUӞ,\3=5$HSqqABS[?yhW DnO{hF#R%??88]dYQ;av|H(*|u-1VI%AG:5mS jR|e]OsoFlv񴝗:!fXc s(*2PRHk>= *Jx>*v1;N+[ۤV&a[4; &ږuHa:DZ`)UhEeùI"T5ͣAtR7b8`?c%:ӫL kP"F+L92Xڋc JH^h&ONݙ2%$BUB^uID>vCQOl%bUc ̧w.zvPA_uA, ~J9Hn3W<9NC<*xΧ0 b+>wDU yj&XH#jDa8>w#>794e*{+#C;2,4z~is61ŭqIB`B* SpnYi Ryre889.qsJ wIW# Pxf0,Q)F 囎t\¢^3knaG+o%Cl#r#_TWu"C xBLFMy&caGV56qT@8'ɪ1ĪĞOCЗbVueu}:\}kK<-v; :7ZyG:-oL|BsST za6Ѷ*~|%ڃ$*9XW Һx[( {"ضb\Xa;St]z\TY3ޟ` 5Ogs*O(za{"MZԖq_Ɗx ȩSLVUxocaml-doc-4.05/ocaml.info/ocaml.info.body-7.gz0000644000175000017500000003017113131636470017760 0ustar mehdimehdi8=gYocaml.info.body-7}sǑϙN (-|l9vU"9+>H,ׯy HSʖH`w4-"]Z}jJ=6Uari*;׋"_鿙g?togf"O>yjgUg?؋*?,~YWJ~r^|Y4jdY^Tw`p^YUzK3apHO?K[i6O=/':м¾0 ,sm\=P&Rx\!0Ed ~*l6%O @Ea~nπSSY^̲Ct)PyZd ̣N.c@S 3*2kD^)TuaﰼƪfJVggE`f___h+ 2\<`| O12JߞX:",:PM.{ #^ahXSL1nWpRYUÖo@4:)b,@6+B.X(`@!#DQ:AF /y(b h{R|9Oq-K}b3[u DS2 ^.;_l3-*Zn'nKty2Ľw=km T PבuxgpXg" "=E #[T淩C|N O;{9y*@(2r+d,F5 pmy8[ (6xΙ?Z^a[V }Ӌ ,<ʺ\[4 >q8WIr-8GXƴ.fyJFZGtf- 9E#Shu>0sj 8*J?'풹غ du 7mJ [ߎvœg1"ыz 234pĊJڟf `)儘&qžT6<+M0+@%jDPz Eƚ#.=d񒣹fMUh}1L+}_=EiL?z?>b/j| bԞW1[aKbǺºj|d^ځ,PhLOӇ۫.a|:Kԃr~\'|b^gVj,K.fFTH2-j #^]ZJ>C)Vr&!1/*ammlP'觊v"=3}!EСOn .`35A3 {-VW 6"!lbG Q2% mek(fZԬM,EєӁв'Ś2EGcp]p܁HeBy GzJW 봰4a-߆AniÎt]:I (:qD%w$@ag U$z_"IZU*.d7S" _0ȟț jy NV n@/qs枷޼2 5=w$~,obG[ ,tP4#+У6f>hh۔l'(%-xF4r$6B+ 7i:aEFw[#)&s=D$U]ZK8$/Q(:. mk&RښuY"ZB:iox`د$YZᕯ ג.TI.\N M&Dׄ(07I&ƽbųhŊŸ#U $npOG7-n2ρ"9 Սգ;Y~1P r 7lqS%z|_J81z0\dmbb,{&Ȭ[i7Cw>>=+SN) (HAJpl^J$օ( 9_/]*98^A sSv5,=38^˘rQB[N/=HW8_`6$>E;h0]Z┎+~/y9x?˂=_ˮIHLA29Xp,F-( J°߳6\caҲ Dc撦DmyZȵʌvAKtOLs8h%w(^H3:+:g8M8'˱~bTK 4B9&d Y+ "zL1ƁT.Ƞj B2TfpƄx<&(j͹O]Ru!NjR&G Ӽ&"ݶdBjkN]ЊV$=B"_a>6%p r)B<'I\ aeQfhlR}HdK`L! * 3FG"P1hBehV]j }nt/qs$SF Twv"` NT[2j"<=bM9?&yt,? oAŝ^chaŸʳVKԏgsǃJgD}Hґ&3ʯaÂlD{!:<ɂo&TB-)yc-;R2[I8-#APL{&dbN1-eEyَ|>/̚(e8LZAU;LOJI9rLi|ߗcwZ˙PN6cͥ`2_%cQa7>q;CwZ3e+T@P EQ"8 wyj/s̼n ]fD}Z "!liWr#eS/ Qւ?1Kt DLK+LH +O|nҔu[X萹чV}Z⨙$$ADb"W]Jq  $]= i|דFJ]&nZʐCo#" >p+*EFF1ψD(+ĆR DH$ͥ*01&' <C# #ի)M!{j#~9)Qh~• {`j"eiƔH~^*ʙ|.q9wOhB\*KoSqMYu@ @φ5茗vnzhj; ]s P@G}Rϗt郓k[uAmTn:W F3"AEOAwV2f; ~D{(A?y$Q( [Ai|i~_׾bXM+q1ajjOӽ ,xNo@F KIRޞf7,,z 3'Mzm(x#.E_vfCWnuD8RyJe>:t|t|utI̹-{C- hq`h7QpXÎ/V;J)Fk31?m9%!$")g$2E^3poj% )G lD*K Et2aޓwd0Xd4o?&h<;ܒZDs ƿhvVmՃF~q daW qFztiKΆ1x6=YהP 1sCPgBUk17e쓠%+0hf/9(a bYk*k_bP&$`Aq ;4$r;Sq "s|N)n1GY䩒U" 肋 m~Ic(2ef39}cU۱gcaK2j@ y]F-xZAxM{̆ڎA8рDZWR%̥'-iꞆ}i`G4yg5/[8.MC{hAtR\Y 15}@GɅ _c|9^4KjJp"ه)Dڮw;/Qyf.'@S }x줆aZE|qiJɒ тKFwI_-ޠ*_S&T~cQ [U@GcUw49ܽ6eƫgn;Q΅:'q w1|3&ʾʩ⑜EGWCBFb“<m"WeT)8HQt* B%W_i9@ (PI i[@G_;j.3SJ&ԿohoTi[ {LW->vs".;0U/p2aJ CJ%Eo%XmqVSFӃAra8~Jv@Pe?bVJ3LqB1ҰϿޤmhš9~(m,LTv$0ž@EKѣ-d{q{n LR w3.cP؆0r;gPy_/d;&QM[}BŎ CtÄ7W]ws!(sc!]5w UOpiPf |) =p̡m"=9Oc۟L}BE%r&Ϥj RxP3ouߌ P}``k_{3vluI#-#,㸆Q 'WIꘄ]sp^=5KaFr##eRs:0BOʉs{\e/ƝP .8'yjGxNAшvtO3Ō(lU/ɔ7MYHG!&2tA4T4Ye@nfm(g|jKc)Iz!H+3o`R%p5'F+{0Iqi`6HǒU֠Á)$KFD\n%4swjWR{fH&cW;Ǎ_PmuF=&XӭxrDVv|uֻ*$OUXH\Y>lf38Nz^˞R6^H\da1:r>)2TB6Z mH;)DZoi PIi[>F\Ό>Ȍ6&X$ ׏5fCj^)' Sg)a@'1`zMSgؔ\y;Vngflk΋Gx,ȋz3Y7?:6lfDtY䂫"h p1|06}Dte0}e88D]S0 c>qxk89ە"oC}(9~DÞ4cZFqSsswy3=}޸7;!yގ|yRI:VVMxd-L,]e-׳pyz&V:^ Hs@a;_scO;̔hŏO,=ų6ڍa$a(‹w,>ƭ `u*Yt'?|,.XDm=`q54*Ԇd %]([,n)Ӊ%o^'RRߥ" D6=E)HEOTa9W¤LPLJ&+i%  EYw_Ko|rwC;߲CxB$Ľkn$lqMR~`lCҢhѦ .cYO a#yjs`;}m2^R`XİڬI &7>K1ʗ%$: ۔C2 *|$OI,)N/h`E3l)w,ўS9ȭO9sϗlankSQ4ؑ#k. ð>\9&{9 Oq"a s[x '+|zE >JtQ"Y;/R.)&p^Jyua$tl4qt;OWl꽏ddT$80ՊHtv`Ef'N%^^(3 k9ǁB%Ya(QCKX it{2dz5(R^|GRCEG7A"tǁݽ]MŻs</&*um:U!*U@F}0fm֭Hx}}Gj-7bKz'RV^XWuwȴ_N5px~|A EZ9*^KXOOouu/JA/Zn5ݙf2S9roKn'8f!Pi{_Եm;aQbvqT"ePxZ<]?.h?<#}ѠW+S8nDm,xd=rwH?y{?Gg$;/Ӄd$an4~=>$mPE*jP[IZM϶җpX|, |=fh,;Y۱i0M.-Y2v I_섬_JsyE=d6 _tiTc2oLQ7ofD0qu8FE|]h7^X]]4k\݃%)턓lIkė`%aMQl8XZy g?81ܮxWti 7/Ъ('m;S$)H|i G7>ԛmx Y TGcxFmiox{Xl G+A ѓȹR*ufMr*aw-f/D0FLuF+Gک4Gx 8InK趩[ j?BFmޛܞ&X(OGA0;&P&ګ]7nwI 0c XJtE-"bn)!ް],MSް%h6觢붥kw8֥wDpPnִͽI~A a6h8'$4:V -;a ?6*hM+1R˛e' ۣBZg,5ui=O^7UAo_rCO9GG~palg6 OӶɺɜ6"/RhTm*b(+z,et|B;{[4͚:=dz/; |Gc0Gc}4W6qKɳ '^~007b?=VT8U;Ƶr 0iׂ5R|qC8$sLrhv.xfQ{׹Udr䋞"Ϸǖ!qzBh:iGiIOU_҉@w%׼qG 5ŝ~ 􆮃yԾqIa-urd&_<̱)ŻDwtKۈ/\= $ל&+ݭP_F|-<,ލfNV/Qu{GurUMy=5}goyhG!GV~zYp/@Q^w*vH9o.JAF-0kы`kaǼgpr0do6!篷B (ׂAc~ع?2<(eϠ)vltc? T }J*=ĤL$YboqD)(@5njHWarpB`%6f^ؿ98 jTЕoyH6jl`0SQ7%f̱Q\&uj+Gqʽsm2I7H6rW.]"sk%mK҆*Ut`zŵ{2?Heٲ{-Jklyן8џ6PwKQ5,xGOit"㘕Ѣ^.A)0Su=/kFk *"1>\]RL#EYqx0:7}/~77M~=`8=)_4h 二 k70&M]Y"u+^n8)m(bËl( 0P7חx}ҼtQq@|^ 0|[m5 ݣKy{uڝKzMc3KQ;!/c,]Rÿ~ xA Gˡ^Abu=O|1I>l/E2MS 5׸0xGPO]-p_ɽe.G߯\._P[Ƭ煝<Goާb[⾔^ޙ>mokl#LۍA^i#ߢ 7h^E!lia+'Y&iZrPuMv{s&8wIHa b?ˎųs~Co5`ζ:[ &AM߅EM&m}E~{}T}%ﭬnCtK<|p2E7C)2/wm q!}wHÂ.KEџJE3b>2Kl x׶)N|QJBz:ZcԬ$Ob'gs* l-=o:hίx~e85 r\KAyw_x؀OAFrW#+SHhC7䨻97Hth7f]*‡㡿}*wwj#r#&j%Er-ڱVGV>|}!rBz=PQ_Q_D:ئ)ۏC,la|(^QMӳCԳU.W[guK] ^%ulDxaxmO^ƃO9ڕq/0 fJ&mwꉂ210:L[TҨNTYtocaml-doc-4.05/ocaml.info/ocaml.info.body-15.gz0000644000175000017500000003572613131636470020052 0ustar mehdimehdi8=gYocaml.info.body-15}iFgOlX}idU:6դei5 &lC="L{٦T$=ޮ-"sq,+][eSmp˺Zoҷٿكk_W$_Wbj쾫ɛm^|w};v?mĹ$9tzv:=w}v(χ^Yڊf͔~4Unzdn^5Y./bAVKd-11&N7ʬj\S37l7̂m6m6_9qmV?3.oWYώ|+GI61Q|Mi_l5?o4`Ҁ2C\gwxQyJ%Q- 7._oRZub˪^qXD(dVV3/xI'yy=?|^/hOȦv|VD4ymSྣ?5J ~1?>EUp H;7crּa oQ[dKZ]`,Fv_^º[%[U Z_ w{[!HF~c˃Od}|f~*3bGi1SQ=]nki3iO!"HKsO1q _ M>~FݽZ21nW|~ۢY L><'lĆ4nԬh uFU9uVNR^PB_ϯt)H`u-/M6qt b\mtJ+C?M>tf*_zlrvuMȉ,Coӛ?G&T1&EULH8X&sls͜v1sk,o ;µy=7JVD10bJ[S%?a3C#gGR'M屠rb!+:`t*by`L ͆_ki.&GbD֍.kwyC۸3 K:ұwm}mHLu&$?Qk Vw}NZ=/Ŗ{g3&tl6io;ٯ6QvcFwzYFFS?忲iӒI na- c͋<ڡ4~:ƶ&yrva:=rȖ ^#3t]*Z)1ۼ6Ds ݙSMlȲ [6dz߭ ݷĦd H,Rj16lOVg IRdn9U4DF ]4eU=[ )ãMb+A0>[d{L, 4g-u* K&tNcKVYu umMT# -V[Ĉ\m1m:;^iQ/-t0OmHAfk;X;nEf؝E_M zO5()81ij-34:uu/Qt69v-o#؃8@Ȉi '6Ŕa*#|q[yY{|ڼ(sLzO-d튄Lp{HH-y?%02ޟSB_MH6YyӮtNLg}^l77>~|t'tDI=j[iѷW4fE[A}MZ^Pt6cͪrXTzm|Sm8~̖nϛ3G,]b;ůJ3[; nc≆ i'[5~2;,FaNQT_~jE lik)UH07IZpŠ/큊I"Si)C!fr )1VoIUտ:vVGf[15E =qKve.0W qo&h>a `\pB䩴0(WBߑ/ҎBM|鬢Ź#ˇUZl_LΧnoYL'j":u"*tߔi*UOwf33;e݊LIs`qkmvdkä$nźb[՚339,*j~F=m7L}Slz{}> :p3_?ъ_[r>9=f5+4!5SpԀyKl M6%3bQٓJD~v 4LjTޜa Lq7!pQޔBiz2Sc_X`B(n`69409i<AOOIX4d0Ax>7i^VnjAYr1@} <ߞe elPYd^t8B7Kz;% &]fԣwBi"Po>dZ}5D| . p}K%-u)zs"9MR1diM&Nǹ3P v(kCdpvvЈpK@V )wDmuui,򢈹69AVr2UG@ _GeeNRߙ?6cךϴAnDh'p-?pnmydRIeK Ӕ|,+o*͜Ah4r>5s߿yݿiN/-/\ _b~@n0iϪ%.Aƪcu:@YKMl~~GԺE`y+HBR20@ef.K?mze{m=E5 uSqlP~7<EHML$(:yT%WcWޞ@2Gf7il: 7(J {m}DS%+ުӣMRk߄1$!a6ɢ`yFǏ s"}`AhwO;Mn4#]"+lɣRso1ay#,Ȕֻ;z'3HD)Kb5=&m._٪ mwȾի&MPё}kK\=w^"hN^v4^rY:_%MNl&-5r8ڱ uP8 Yo#<+'Z=sG.gp' y#뒭\fhg0CE!C\op:LuL/Su=ȱ9\z!Et29y \d秆2g-ĭ ׯ_é(:o"`E-ңi8:O6o /aM_M}悞y8rYo.7(ձwA)!Y -+4E$3Fu6-i^]t}}a,?eKxH{AZʧO @sɳS``)*"ülya0oB(oUӰ/d}a:?h7_bDޣ^fOblg"♋")CĠ]ǠDZ/k4_C6giu~h{)v[ki bbrq2-_peߥNG&2c@ g'2&b ax_-‚ I}0[_c' YTa]]8G F'm q$4&4yՒi4aMg!J'#S ̤|-HGb`~Z:n"FmpNdm+ +y K\M{3@ !4fC㞵6{ݫGЉ8#K)jcb㠰΁I5 um;eԒb$Wfj@O.g &+NǑf"ש$< ?qˣ`Cƈmۼ8(UUd:#+HeE,XBeK~dgx:o^aw]C2oCGXhD_&GĂ9}ހu俫'^Xi0 Ҽ}-i'~dY . 4QI竴,[r0"<!ËH k!c4ٚ?G,5cG iranBd9Zj”NqKiMlOgM;rs(*\_^n 0kD|2|~Ed]97ۮz(i{A\y!Au`*-_^/6'bWP4%Ǝ-Do)]ƈA[AQ(O #c'J_9p1?FAκG'l9/V-Ÿua2Py$8g b6cl0Ԅ9QoQwuY18-:' jE3260ns7ka /$]jWRܷ̪YAYTă> H*W8#B8Z_笫(ԫq p(<"ӌ0Q H|yZZeۚeɅ85Ns ŠTXVKhui%qd>r=Kpto$[\֕؄'u&fB..k6asWLwpHVrx0GKy}m=T@tEUI~Yajy[FV1l"$09:38kayyJ9"R@&Vp&#Mtz({,02'sbpg5bhPB1z Wb *G/]Ӊo5^Q6ݥ;"< a~TzYQwcU@0MWӿ oؙ@“"v qmZOnۊ 4D@/-,е́q $#FһK=<Ԯ&\Bm&ƭP3p %~V,٪X FByll2vrCVzBO#NtcSc^Mt0?ٖ&feDz`tNZNvo%qzc^~>/:nt&ďi @vj8+v]@^YߣC:k#C-+,'D&ͤZFJtj~wlX:TV-R3f.WG!pjaL}9; |x~]=7tod+U#v! ln.η_Qjw,\ ~U,ջIXMNw\OPˏQph "1kI:^R|Ļ^A } fU#bUƕ{w~W[E3AURsYduZ>Hky{sa[ nD{j. {QjAuE93;b~Izv#y}ՁE|{6LHi_\pD]{^̜Mv*BxpMb%o󁸧?3eGaO3Ep^#Xy[Wp"n M)O Jz"F0 @J,r֙PW^*/rH%XȬ*X bZɈٕy3Z7EfR,=Ga%I~b8*x+:}=k$Pl$\[zBibW}4g-ĐHң;v"O~>?/O_\GkV-*LIsM[D #R_|fC4:8v;#U^Ofu5!UV;"o EN!n7vH2Y#&4rnHŅopYL++ƯBQ&dA$8Fć^2r5%`]J>2@u1P\ ;R(Z>M^5fEKzS0b j[_DxH\ ? Qcef9q|Hc|TY"0-vqͻGG|ipQ(| pu'<joNfܜ@ẻjZ*w4 yc"tI$M,tԼZ nUVHݠ=͊%|P"4(Ǥ NuȝfM'`D;Kl%.i7UL#>v[݇q^b:0@koc ~lNDSql{3u`R91m Td$;{㜡:&䱯'ao#gdKm{9$M_)t=g$y4݇Lr{%o.=X`y dV-@RDBK qqG^_>:K?K0m vzxqԬ\I<ݤ3+&5Ũ}N&7џ/ߦ܈T]X\IJV*lORʴ)]˲Ԉ Z/*uΊAv1v7d#`VODӵ5jlwv+-Ҭ?F`I,JkԮ|E8"->̛3J!X{ 0EC7"Z^]aE8%c:qÃ3mgǚO-c\2 EJ2JzvF[-C4. d&PoN>`lARrf 5h; i-z֌7)Q0Ңa QU3m7m _m/ g\y- wx8G:^#hc5d?b3:4,SfG٩d LJ@)Gf}K Cs-E`^ *,as$VQ`ǃHb8pBd<Ӂ?T.H;E ,0&N ݢ:t*V%DzVU&iMqtYŖ,6F0סKwD7x?zۚ#si;āG#&p.Ih ) ߮7{$}"Aaf:,9eK4sgNE <6#@\4~9([_ KmiFBβ ^O&t¾kMS5-#JZ49ـL$Q2-.P; 3:u)4R1F%ż 1BL$-U,w)Vi_y"=%LiNF6(=J'Kab3P7vȲg3&hO|zb~T1'rIvP0u\U 7k@sM!ZV;KEB1f0Q/nzΞG [ϘK%]plT3X>̮Cx, =G:8Q%p:`^q/Ҋ ZmI70+F쏆:1_ ~\Ǟ544 f8TU ~P2YۀYf"^nƩ@ DFi!oXbO8ē.] .Gx9iEy2l5BM(1| %ª}hgMFA?eDE/d8Fw.Jڃt*oY"5^A21X> bO(}ryR^pT =Os4mw 4luj)DI؇P1 WW0`X̠P=R&hJvSS="-#3M[;b^q ]`e603q.<3Xf~Cb@L]q ez*3H,"( ђ&=HqB+f:ETxz(28H*_Cڦ҇Iܿ}Vs]$f]%鳎{l.ݳMF0C<2^HU: (TvѼP>dO݊eZm?On7*IC%mGhv.x \xs&?:4m c3T01 l_,_Gs1:2Bc&]uHdC^[u}`',CώK,4]77ǮCxNBXFa. F 6Fw(m-H< #Xn D7@Nh8H]$g'aXHEd' .XMs)4%f7aH؎x,$<0&|;fIDJ-fe'p2u?mP[DnJcG>lh`&q @}xn.֩ mV4_DR8io3l53n8ؙzܜӫLal " [uU]k<h2\aQ٨Τ1Rwh2.-U,d^0i ;4Ba PdPFE$oK&նǔ5k^8{0g$S gi1*j7lЎ{;6Bl7Ra!wvJrx"k+ҝgKrHr{1v/wJ{A֕ qfk*dl$3˦.%cY.*4,I\<`lNԃt<#[Z`dͅ]bj| /& 鱸 X}ۨ- @$Rk1.2 ҡy8X{hAtYve R֨ũ`weg_v7S .]B?>;,z7gQ]N _P+>QˏJV?Ƞ}m^MIOKalQwsS83xϽ{s$4jHP~bpctR'U kh V``N3{9.r 7$ML U^p,s}9XNy Ìw?" j04J۵ƩoxW q/+Ȓh8 YdȯTk9{MH??G~}~Jr_+U_HYCc!r@;/e/_+mb³U,-&3{W+۹VopL8jj⢣8F6TxT˓'OIgq潤{à_>Ϧߠtpwj HGY_3'gO|ğz?q )g=;=,ןzdwχ./݋&߽]_y#n E,'bPkjgXmo}}VY_'Ocao‹}>w  ABDi1ϹwdDW/MB)vYi% U+l>uh5ߏ"?sJq BdZ6LB(|m@Ivj/,c-DX/Yh_0ØUk@ޓMTrr ÑkE *ɡG#(\/̟cLe*[@dC0pSR|̾=q]7~fG/;BEEa垰mūNzBSR_|a,U6i#(Wm+U[M`(QPܴlkzZgI~PIAdڮ=eFw JE_[+SVQ\ꛐ";;EZ͓fRc_4w{TF`DhpB"uQcw VT-d&Yd<%!W@EVVJkY^.LW{,azܫ=#hwLbrceX>2g-96Dq*z;̰C;HŌ`u#J,rh;PyD< 2H-Oκ Uj0L0x(_dq~:鮫[^޾nWY)]AG6 Söl)+7\؈b mMho+אk5uj4@U89@ #zǴ-,934K)P$ .x݉;:k@QW]'_%F.j>p@_W"!Ai@N/_!wz`>ySIQxذk (bS(E'/WZf<;9=viXڦV(OY"j [ SΜ@ZMGlܨF Lbr@Č`T} 4ɇ]9znԽ_6o7!J%+FJt3t᷈20"ï4X-88%qm`H^ɮu4<мL6'LW9^[@I}[l^V̊"J%@*%1:[|ade7z[lSOUl --Njqgn%/٠alڤ\dSJ󳳬,Fܒ - ar4|5N怇5lzϺ;vͿވZ!2:B,u@Rx1#EּoMpn,>.h %=lJ:9L[݉F~Y= nuզm$MArQtiɮZc@na[puj5B |)8;g]x70k8%eMVv ՓtxRu٢Ь2%T"{\%kE]'mbi`s7jյ HC!L!Ȥ4¶!I9l :@(K><+R3 iD4go e^M݌;B`<+~%z dqб3e4Wgn Ol9_Zf,L0i`$ʙ360 (2^:F+j+SՍ2D8ڊqj:̧68FEadӠ0 , d;H|% j ۞ե#/@χdj]Dj<މۑni2`-q;"LCXa-HA"BΦL}!m 8ܬ AGrȰpjU̮1G΋`yBԤqoz1 c4>V%,L?t=kXo-bJ陞S&kJA4s|LsRUhZei.;~#E$s8Ή(ŐTW=l@ݻ 4'm]}2bP_OZ\yU/YI*~ԄwY2*^ %1i=g>K9((2ķ@<t]ذ@~d9Ƽ<5x"2z~GT";>av̳=x5^7)|K#, G28hx$Si;h.*޵_X`w\o{*j ‰l1h I y* /y@*41` sjE ܙL H3;ӿ ߿#^3jmyg/Sy/gQ~42H|mFyߦ9HʊE&.@蒳!NhgWe7ۓp f'D,&;̆'+l"FdJȠtUK{vy1 Mqci-Ώ"Q)^/;%S>XVilHfF?zT5@, ^ i t|Vfjk}nLrʴPyzMNY-՘;%ѳTȴm?hٲ??w`*4~w ʅ̽ZE]&1i*+tXLNQwҸ0Ym4o;z%^~X"T|Z搤;:?ȩn. v|`ԘY"5{QO#5;rt,Ή[AC{E`x40M e<Y;뮆1P CUƸac(PgK1&[4/r`@)Y.q"^C a ҿB,KAt!rLJ(o'maAafF,ѣKnbω)K2ˠ n#MLG;V%Ya#8JH@_-l\h$|Px:Ӈk;&Nq!f&ޤJCcvZ>vm5i)B|٣cH!Y:"Bļe`QfإXDhHƈM&$Rf2WHѻ(9K0ҀBT۠D*RD4K"x2оؚ}8NIwi"!}#P*3sq-dz/HSW@HZ10̙ &yQp |wY('I$j_Yja.6`Fr#koy GѤK-mGP1'P8`)%sȓmӭtMnIM5.47_M7DYIچHB4N%Gl,// @MV)?c ض-[uY]fhee@gH[x/FAРgN/WfY/ÆK~kJ!{kO VOpT/- <P㑠/RؤbG*F}h:W]nVfDMr8bn5EऻF]wl`!}lďǷ.؜n/zF$ag/4er.:K ~!´mZ ٢i@Գ2Eo hiZ-0♳f%:fm$/2d9!ApU/ fAO$@<QPRh~1/=$m 3A 3 :.Hܟr8m{Bٝ'~*q4tT.kJFl̦:mAB-QQ,[6]BP"NΔ]?FbZg[yFY6k \&c@Jkj.='p(,")G[<,F]L' d7)qA] g`r,ձrhƲ"Zu/2p$Kkt;,$۸!o U7tӴlymvGBr,^sZXD#&ͫtmmр@{C=4^\DSVF;5Bm?uI6a;p&O^2T:@T7=s;*H®6N*'x.g}@OYW9t(la C\F.zkP<+/ r wNbNJ n0M1s#5b0[-s\ˢg~Ex#M&Cɉ (V:j6y.Y,j~Vx#rj~GZߒ dRa^\JdT ڄ]y )pÅ7[ Pƴ EwEB&~&!bg4/S3Sz0~xC/Sr1_Nˏߘt44:(7}{-蚩\1w~Ȝޘ7ߘg:yso3>"YAoz\v syJSVrO'wm\>t.i.9o4'R4y6hY@8 L!1q]Sj׷jڻZF<ż$4!Ϛ!fv˝cjt%_x84*gc-.+;հ I R`]砦Suas145ݚKĥR\-/"O1Esզڔ\ʔ%"Yu̥ԔyM1RuلDە[QqJY@"wbPiX h(}n."f WcP(=` (U 4IUÈJ6%؂A&Mh1h):_O5+TJ=âϗyڞ:fl/-qtȽ;)NrFĿ.e]ٍ;YD[`W(6;6@DC[.c`i>X~r t{- GytК%M^%O='O|%OCE D. +z :ĆuqDoCA(@s_gB]釲0w xf;玀^q#%Y/]y #-l:z)@t0 mț4siSRl^\"]>+0+ /dvf#fPZ݁`U%;>X{QkG"[Yɗ䐚2tmݹ'EV)i+ AvEb_%Q\0[bJu :ݜTK}.|K>&I(o=%,/'Vo\FNhh(ba_*Xq⟲3v&ẌხxL:r+͎`Z''-)3/+A@2GNA:WЧPvώ^݇t##7W}hN'f96O.'ý';d؆: 1t^$kY#:Kv p xh=oLdmZXO%@"y`w}NmnxrKXvc3k Qwyv3d|e+B.D<huO?[ KEX${i%L!d A1ę.Ţ׼^|Vv@";)Ž'ڊnЀt(oCYD n۟Zj=d=$v` PT,c f@ztѾ%f+3u1*O"1ởIY߽5TZ~9&ǍAc`A !)mAf>r}l oGX~ [LފXj~+).z{;{oێ^ް/7AEMyd)WṠzn yg N: ksEind~9ul5Y4xC9ɕ' p dzeʯ* l'C7#dNzv骉ǀ8cnװg>yDgl5zֳwm;[M-QeFVT>V$kK,r-b5| Iz&ͦ3Mx5)k ƨ7CZA?ͮTh-|UdWS A^ARg|`C@tuu C}Bk,P _en Qhנ=hyEy~ݗHrB+J ~"׊aǏْ\}oFհWi7ĝ:AKE7m':Z\ghآ+]=t~mc:$am 4YK/>so0*ٛq#kT]:[.zi3:"D }XQdC$UfY&lGl|^ύ\RQϩUb AD&}2} ".}ݲA}A.ex~-b}L[x^QME,namU#x ~|okiDZ7Wk}+YٴKR? ]Ɩ4έ+[WRdo,ڠܮF-J֤#3Ќc B?㎨n?mIlwwmM;K+T]yK4UoغX.ir]Z_Q^O/9IJ8\~<]xl}ݾs{s[\J}(ulBf4C:nAu9ɾƤ#lVrŨ[|{|+v b;*siz] Ӷ* 9v.U. @տ+6[8}9)2QɌX[7$c؟Z}nnF%5Ԇ}\nx`٬u4x[ǡ?:|x[s ϐ 29 ͪf2LN"Nj9V#z^ntlrS)8//x`bJ+2bCw,nU#"TTve" O5uX*I`2RY\< =3F[JN2.aJ'lF.3Tiī*B+4)ZZ'؛@IsROj`vCұ$6O-a\%{P{@)`fs*Kqh.TK` ʖނ0..M[iFni"Bʧfv &`CJ)KC-wٚZgM3/oڊ5:W4՚EC`QWx~2SNB-a);@zH,ɵIba>YKܵ†cdٚf"mi|jMG>>x߆ (So`0 IZl%ukĞӵi螭ϱ⒅[ !w'(J=}$,F54$g @> f7k ~5STT&ӄBܨXR¢k@M: еBcˢ';'LDLJ9sA01\WE3]DA7\ ,ԯ쇜漺DIU}0s%fsGlrCk|J`7SB-/v!ߙ#o3xN" +3ԤH/Ϣ®D;Bg8[%m| Rci.0Jf]$ hD1"+6&@J)KD>\%p5q&ZTsJ0X rk rE8YʽZݸnnpB=NҰ[3ܑ@]ˆgzK }{N.SE{$wHnMI"0syP3&ݻ%JTZ+XΘe ԲXmJ0hy&׭;7Y`#cC ~1j/z˞%V#%UQŅa{lv lˆ#*|%J3A=r`)d"gj\ ZgI8@.j\|kA98e08z "?<@V%VǞR(S)&|{̲*8 v˒~N?ۆ/k ZiO&Io"^OxPD0ڗt8}7{kP;*}&4MCZл֒$N! ,mv8hz/dCfwd%Q"N2h:0^ 0 }uu=eUy.kb/"' H1!]egPaԙ=L|Z$$pD8h8* dg!N><)'(Y&Huh&En͈LЁT:]]TJs@CIc5H+Յ\ Y#L Pxu)Ue廉ig{yp|Lߕձs)[hY۩UZHq/FyZpi.΁ W9ʋ:7-+)_ ?sPKCl:@@ $"𺉍%DipNj`}j|!LcɀX$*CEWk*=N). er;{/ctDRHI.4o(V)M6W+.x=X4G !(@؛Ry; Cxs8;Cr-L"Vv6 `@SmWWW p}Q|k~$I>XXt`O [ᇡxZUOۍK |Ⱥ,Q+f} g 4FPОPè@1.N$HHS:+Գ~}\m_:n`yAC{:U6:Y֫i_%ⓕ}ɲGݭ#*F i27o1Zp@ {#EM\WDo$.aҸ@#3端8k$)HҹJ cK4\%/(><[Jw fTZHy`):b;,ɜ8GuG/c^ƌ,h N@]xѕJ0ֳSczi9Pu.{AQۜ) ~Pp+/V9ԑ0!{\VWv@xkMzL|޺/k JXܧ..NHqݳwhx*Pcbgy] A O VI@2:^{Md/-Y|*^jq\ ,7n.ߩ:K'RHHϰR%?]`F2{P*v~tUp5N9OxlDïͤ\Գ]Gkt+uTwւC [;E1|v뾽b-:s6 kx[~fHSX'Xr&Jl&B3EPLo$ڊǷ,iYQO,%&">gWkLr]-)vi8!qqGWj_>9r\©/r>V J5a̖Ɏ[, \#,$/_64aΩk*!?xy~%s 9Z .ku/YlJX :vAMyAxwbX9$ Jk 'u鶄`Gxv7 GfBIsݵ;`:2Ihg`F7@McM_% Z4vE"K80 i,x)"Z[s1@vyF Z49[R EVS "Ȗ]lFUw\?vI( qElў8U ҭQQg*TX@4[&Q+ZdUN!EUKa?85n**'Y 1Ib V:H,,&X~,1bS%d)[vTQͤ:?Ç?MB!FE-i5+^ya9cݞ\ٜP3c˓ *Ny}?yTMt&xot{ߋt{X'[KYeteb>dhqbYX1y?_n?~75tcf:8J:q+T/e,춢SXH^xݦ-έiziּ9qy;q}k5s?F`2u=ŋv-:˹Lv'S9>dz /}V3ĔyT2FSB4f6~ڀz:H_ ls{DQW:KreDd,'6LEte ܬB/#H Sj8iA$,R%r%:a-881:Kf5ꌳDDoDEE3zoO/G:櫠s؜62J.t|2,K6S)*d_x2S;{.ʥ,9MtjƷdhRW"y̴씨Qc^B3J `dz;.Yp* g_žMc "Kjlsq{VϵM&#:F.3qD,Yh`ٯ kk;;-N SdjzoVo6$zݷ i处'1RA/obfxgy5QQU"tbngxLw?ehagd?w|U'g&we}foVQ&e`t$*j"KȠ Y8(YK${^pQ0..ū=lvڕ.ړ  T)hM4z;Ffݏp5)[O VP%\ g1*Xh{TXQF61\)|=TyUJ C8g;TibVÜC(?}'~ڔ~` ͕XXDArCQ^|Њ} <z=yl}y:󡗳;;`fdL3 f<`3,+++s}]=ւEKqFw{AtYGQt}nYggya5?$)P4gNG`r8P, (.(H2"b+chM6cH|7nh9~<4`$iNJpڞ=$5&qoE.wEn=B}M( Ƿ(4dmԈYllwH-P]k)7ϸCWzjkҾ`gꔽ5V*"/XnF.^ Iޥ 9LKIY86?E3|mkm$~*%)]yDQ1cv٩ye>ARB88yU\7̝Ou>#{"=_<&1)*h"No1!ߓL )mk` [əD1ں*hbwiHꚋ(Ӊ={)x+8oV>Nv4!%SlC V6.М&i.pQ=}՚]Uz*tI1 @QSZ+>;f<$2lZgqJ-eԫ>Jᕮ+(%ή$QuNHHl Q]~o[w%ĭ$ԹWOoc4 l\B* zǡ$Ud;^$v煄b.y Ub8- WǦӟQocaml-doc-4.05/ocaml.info/ocaml.info.hocaml.info.kwd.hind.gz0000644000175000017500000000257013131636470022563 0ustar mehdimehdi8=gYocaml.info.hocaml.info.kwd.hindZn8}W ~"ӵdȴ""q$ioIpBə3gf~ ߛt:İ5x?m_a{݅sj߮nۯl]R0`n~%Hb)iHE#uFj@ɓ nWK(qgH!wqC(.Ր0, u$otVHn5*V%D7H1mfkUKtA^#G&tI2nǥ0ap0$L$ 35:XӫWc#0 <&&2DB",;p}k0q}۵l]?0=.]tdUq{ )- oFh#4 4켰K*IT+2Ex!6=`Oz\s@9T*=%Z=OӲ]m5q٩s.ГjL2(ͤ.=r{"}Q(hg b-t8!SbV'I&rh%'o%h'obK.نH%P Ydb0%ל?. -e=KY[*e#]5HI_MסjbS@ǫ0nvnnVƒu5~α~d D N$K9"9ǹE:Tz6XCbGg\Q-أZ- 3KVfmklLf4XW@&cv n^{{Uw!0٩DhV !qɉ X)s%ᜌ#uI}kŇ.=} roC[n%岳h?N v%8/ӼI4 4k YH!`sR@.d'Փpo?u}7| x GI ɇ}'v lAc)X@(5ϚcB2T.WKiZ3 .'zP-FahU{K q#ae&e8ﲤ4K_hc9s۳z tU9vv8hegG܅/{i/8pˣ8d 6N5oZj;T2)!QQ.<,xh~8¹p,kAs ?SZg +4}}eZEiuTju2ɫ,\-b^%tq_?jY4_]1/w7IY{?'7O>4m]j+ZU۪֫[(UL'V'_JuRE|6.?*7I@KR]W,uJv_YԿyzQrIflte:c}9|?WzUXl,+=~ɶjt=.L 3CL=T[UJ4Kݰo~zZ+O&>󛢪Yk7kfR׸ؾlWv 8Sn9LXJN['ąFdV[A5REO EQ뢜%X\[j&9(I@cQ_WJZ> y]|3]@-+VBU\@Mq{=晴i=fe ]|Fxp.1 bYZ23} CXjK,S]Ccs}L-MKj^ ` 8W-,j8)m,XsSP8B\M{ RkQyQ0uZ1@՗IRGZE:m/r+ut̪:5aCLִ_H=W/zimE<@^WjUf<8 `:j7;$H*"J& (uTz@ Q~@2^Qo܏@U5>W)urGRQLcxYC:)i.ȂpsmO쪮c} D;j97no܉b婏zW]_کu:wڜGKL CP򱔳`,8_AՐ!S|ů+"W 韶)RU#7 x(j%@ɹQVnR$v ɬǘ@Xn&=r|#xF "cA"sey,9 )@ W 8TvKfrW}DUH[ |\߬j녹,6,/Day&p3+M2^l+@K2ݺUt6sM B!@UNjXKZOLk TPM7!T.EC'ȶ\_fO4PZlUݱjƋIΪ3ia0lӨ'劕^ L:^=մ 1%0DX8k&i0l2G<(]"C[OC񔿀3Col ԵF Vh%kNIdcMեΠW*f Qh@Pb}#Pq,-nrVł3Mr $^l"E4xkd`e8#{& glBbJװHbDL3z:!}T)~≮,F#'xv3S0>j]/sCiB8Y2hU%*C(,aO .\.U);נe\&': "]N5nl`vO>jQ͛ 3( B`()|K @X8 D#[.i"ӌ8ՈWF[ԘyY儩_RG-W:@(%Ae_)PhU۔ px8P)P=b&~\Sg}Ƈ\=Uclï jˇ ~n~->E|ȋUFGwzjjÞmtluq1)PP/skb@磘Fbap}SjnǜQ+2D P,D*Mͱt䫳% |)f 84=h|f`P>yl@kT6?UyH;lXĢucr>,.ѿ4L)O˘ðbSa7"4{gz~`F H$% Ī X92W(8ԆYX75LlҫtV54C,Ab&j'h[nNVy #8L/8 h~SH#F?H3u$Vj#ӫtpRYlT(=,= fB5/vl- D6>'ߴ-+ XP;j(`QjH|3m hRЃgLd{"Yg&: m}]45* ^Vxpg$MT]#@ 4Nj1:Ia>W+A9YBx Nv k4E'98`hϽW(e dm cQYlCpJM03ñs OtuPPwh 3.!dU5sb asɔ8 |>г0f'}PMRG}O %<=&I pc*G@ ZkE%͙p ZAtktPׅU}:I.dl)(+-!5$Pl|vzv! :=S?4=Igj?=PUls,<#)ԅU=:/tEtUPN■=Hkbb5(&V L:AiA|ZL ."NG V u#h?%&Cr$Yl12#xa۝ے5D-`=8(؊Ƙf+ac0nQآ$mԌuJ{ mA-0=JtvڞFdhN<ʪ($h@tI8fFI]'GMJ&gtK bAfǓ,B7<Kع07-vƝaܿItAċ0}8)#9+7H{ ջA=x~W*e>Рw/m6CF4 CzcrXӖmdʺ7:~p4:9fhp G\TqÓk(ղ1dmN 4f/c2CK@j$Y,]g38@10=@t mD]d#pҐHz,IL2hXVK9ѝ~ħd* ʸ*YcnLU;̗Lc. f 'qǎڳY9jWFoNGgk(bNpAQ{ #ڡQ+(S=KxXn,Sj2ï%lď#$ &aԙ8WOA}6oY_MӁ9>Nۼ(unnxQ~xuVHc:8SbJbsUۙWxf{~ƛlk{6E=;?͇a}?==c$P@QGTxVm1O 9ҺFnyEy`yRz>ǰUJJ0SQLm6R|ƤNNAXzDM6/7iu]'2: {g&']`~ՐCoьk!K0HS/ßcW;4>҈G`{Hf44(XrܱK yIH֕A4ӹcpUJY_uYu0f3,;F V*b\x $cK7ۖ*]7$N/ۄuZR2 (Aur|LǶ&O0:_dԆ'H-dcdWj"Q͋Fe=*+=TT>R8d߽|4US(cdȦ 1I>r/}^ׂ؈qesw>wgJ?A~7q]^[rIk}.႖էDP1M&45JLLŀ?1;A[7fo+s羶]phk<M!3nl2J*-E)(?RZ(ދLNO @j7srF"!CW~u4hkytV.Z iZV_e'nbm9NT)DIW~&1>邆fH_{_CH4<wXk",G;Y=d5(>ny-(4k#YI-K&йt@n ?ĕq !r GL8% @@epb6ԨTs!w}gsşeuSMK48<0\Ǽ;ŶV2mG+>Y)=m+JIRz t:ep}wYlapI ZT}AAzVom ]M\ h!JH9^Ȋb]=k_vXف M:^Z1`\2#J>1lW k*NabtX:3`$\k R*]4~ ŠV;Lm=+=X"4Pxb/ajG1PǫKXը" ݐgұV­м#rAP@2G077zWBDŇTCkkw?{'gm:{I|ƿ}Bм6:ȧGw?poÆ2#s>i9#.XCsFpfl͢<3-UiܱAu|?9qn˖l>>&yu:(ں "5 A%: @*Gb]$0Z63Vw(b/&Wiy0H-V3PeKq7#k췹 *m9>Ω8\EL$Jh U!E2rHfA0mf@f yRhaNдu.NbΚ#\p@ʓ)^%.vBp.x;?j:}"nşػ ggG4 BBD3 Rla.tyP{VSAؾZGF@VV{FMeVYWz3/@LJJCU^*jqZa$r2j<'O-tA!{5);á>T3b#= PV| `%rHVrSafİ-]a:hy@@dX vU%lPBkJ8\81ݲz \l?{=SF;˜~Z ИXݛΪ.Ȟ+Yɖ5 ʼnԕתZ'LwcNfbD2g$!&[ysL\fL0IMYB$ U &,y6鼉 ;Ü*FDH 7NAvKhW,^C@O4'8wi;yPbc+8qB]RQ6jnv6=>SmQ[>־ûDxkpqm1 ]L I(`$<#7`olĴɆSJ^Cf8"ns J%۫IZi/潃.6G6V#uio HdhX'ޡq"d[*Y]A3#āWup 7i牪?4Z͉7nԗ%8I[6`Nd_mj8qiF%61 HmPk@.f琵$Zn&zˌD 6}NRC[}y2n+^)a&|uRŲXw4P<%:9x3o{wWfp=p͜P'|s7tZw,]jݱR UmC{Tytr94-J˂lX֕j±)5!,bQJTWƣn$dʅۦC>E}a{wWp#pnPx͸@3\AH |:oIB{^މ-jIDs~ ?g]:kvF\my}""ʡa nA Ч2(գ% pohczI|2v;Q%b\K3+1y:Q*ĝUUW{z5@\]AUja\ djKߍ]-B !]-nh6;e +_ZגB$TܸGS[ xȈ`7Di۪gvuTh^aAq[{u riSh&ô%n\"T} #|Ė(b~Uj~CvTlGN9z9gi¡pIbr)٘ITJXP(uR&]poS憳yt0D( rg^!ԟT7@QZ)p26i|>kvƋGTj/ 9G.:Fg7k OR@?*ҹiۤ+KHt 6|N.9jxj"V^Ɠ`<35<LUYOߛ >:KyEGjqX=+gx4jM#y M>1P5 T=j-n+#4 {[z=2~ACjx-5kCT92cP[$/iȓ{JC ǜudfmq3M3eLߑ }l7JYÃâ39c7"L" (Â[md~mL-'@a>J쓓zI=n&ǔ_.ii UQO?rgp >^)kp[OzYh#N\Oy4S=kwD"a%D!bP|ckqAvbo}uwIaŽG/4΃bku&pH<^TWk$bg+B 0 Pv+㾁źFI灌vCh`;% (,:nVR(WuhQnBG?cJ/`sy7a6VǺ#WZܮ gjwx ~kmzoܽsxa#Yzs5V^ՅcWpp/b{{{srKc01$=}[}+v[}KF.8D`f\%.uƛâ8q"[V.c]yQG]]oFˑf2x\l;}6i^CJdv:*SkM}`T֊V(mFH!z )k|Ը!~?nf7#JTC~tUGLr')%99$ilqUi䣼L6qxhj'i,UQzem0n uAƓc) \'<~T֭$̪Ĕ̾g W-,/R{(o`<؄@߼T˓7.sE tE t՛nŞW6= o||,ǾXH=V6L^d'sĄ1߽[k߿K0l߿ʼn&%Cj<p]G'3t|{9Y8`һ${$$Ys}wub}\|$)2ѡn>:y5='I^E"$mn]P]pl702S:_x/bkEX9~V\B+i͝6S m(FFI@PpL3~lOl&W'wv/8'.-3g/M]Pt;sETx psJLL|ި#91KB}a56 ,+C#o_;agg2#3r* ieuN;oҗ4+\ˋ_/;?۬(M2_& +gE2R?Wțb[aD?5 9Sqs_*O@TM7fB~H<WB`?޹{TSFx\_?盝Js~ #qH}77!oSݫ!֌eP<&B \Π?gu,-~f+xM˛E[\5XƶehIo>dB&l`wi0AQ/1N2 oULQ&@čoa7 =<;F1 @Ja< FBt"3h/:"0`9aLT9 G)xp''%_L`+hchmƗflk8B"wpĥ3QbJT"k\(Y t$,"3zf#d}wQpb؜M<[hMF4: o'"FC~quOúG ]Z hKӤhIr^jhcp53]2K9rHL/|r@>flNKmGQEOm1#$9-=3Eh2l k2N^.^`LvO)l ؇փ+y~Ƽ!I 'y/ayv~^!W#rmgʋdXgH!/&:l-zƎ۴.)S}=!EfOZBd+Ztdrq)"gjA"H;.|)u빦啞A^h$zӓ&$zoZ^FIE.q;wt/#1Q\hQ׵e1HgQ$&847#s16A*{92?;1yKP"jbpD DL܀\=?P^IDپb IW鯈epe1Y,rK@If)"ApjDl&amBĿL&9l1.WdD#`Mm{|B]ox]m)F'K;dž \Ҫ,/@zd9=kιg?MS;n 0&GlEKr)*<;~~B.7}4]Q8(cX_sS&)d@]qbnFcq'xO|iSѸ>BB`jE1Ng^c=:jt yr!֤' AՓa0,hQtf,&؃lBc70<}?"@\i1ɜg̽`Kho2HKs :߽/ ~;N6YX՘gYs|08 |,qYZQF1/+eB"O.ѳl^pK{6۔xS b4DJT@/\*Qb ]`י(ua_X$r$;jmZΪ'BRa*T"=%9j}!1Hm+/yeQ8Dr+N$ #Uq3UI3Uxgc0 p95>Ttb훿 (:9>UW[:If,%_ ? S47xdžE)n)TW%dD~7璁I@`W<*A?w5bUCJj3Q-|oE/fXǒlĨzǘB}Kߠ6V7+!zܬz U{^|U=iV=^3%wxڬu ~LK_S̹fŇP AG͊ҽˈTqc!"Y TV2@aQ G:]^w ΑQkFY?T,rFljBbƎZ5:!%ïڳ)ayP:X_kFq_ Z7{LJ!B} CQ0{{!kaZhzb=;C׉ T׍ ׅ D@ka밁Nt@{0S7F<:xw9s=Z|i|q5zs4CW?2WDGkO4}S' (X\XAf;̼kru ڧ0/rjM[l(N SAȄ3$SJEWH.P y/d6*AS;-XwM\7}Q4s\G~4[߶8|AHEz1be_TT<ڋXyG9&鬁SVx}Xdz/*j,| 9Ի9jF z6zc38Beg'9ɟ=_1ʦhȸuDd4`־#)?k.q0E[Jrve!4xsH `%=2iAR`{-πBﮃs\^&fG?O%܎]?]Į/E\s(sΟ<+>M4?RF},(ٓ5jfo1SQF3C"הm@F*%ڨԿenxjL|9FwF1R+ *<ai۫brٹ"z/ŭX(W>KJO(;ٖ%uYK[.򹦐'|*JvٷMj|1yl42ˍl`[zO3w[ J+:!;B +~:]jG̏|ثSjO'ʾ/9k \ P5;Q]"ocaml-doc-4.05/ocaml.info/ocaml.info.body-2.gz0000644000175000017500000003353013131636470017755 0ustar mehdimehdi8=gYocaml.info.body-2}isG?6Hn҄фrpx@VPA;< iKq8$*+ϗ>_YEf,4mMʬjcMg,v柳^OML74/|WɻlUiNL~]vN'ήGom41&IN'Ƙ7MaZ>h/%|f &-~O̦M3meu}t;'94۫k*//M{UWIͲHf#fW-ݦ˶^iNa#m5 ER3x-1i`BWg `f:y]:i6fY 8.[SϱM2v[КVNMr~~Tdٚ##o1ia6].`y/6l\f>=Tװœ??4+n;ޚ9.氌+ӕpsի+պ˫ÆJD8tL{C\l+9 }8Zh[t}FS!}N~Zt>9;y:b<{!Z0nS~Ѓ6Ջf;8|n! c&e:pUkyS&||ix?c"QD(7$"ЭP(Wщ}x(p3t!  Q" _'DCau~l.Bvl L6IoGv` ls͏?3/RSpK,wzvƽۀh{Vg0`2K؋bh몞ϖqoTDl:5? $w8-z*;L[h'dggc9Uu^v"*h@2\bީ&ma CE@O%Pm׶[0̔q4h\Ֆ(Vݤ`}m08sn~Bw'zw?y>5UuؼNT8Ўh|*4lP-%tw|og{.އ=x:d ك8{E,Gcҕe Nj\L5B#D';ZAZ8G2.rL T<]@)x۵\]^Cv GE Eer:`>0r vLYĕL*\”БdrнH,7?7 Y%1#y|":};< %&`1bGDiŀLĥ%@,4'3c.'؉ٓ{=Oo]NR5mg򒻗MC٤i8^`=lt)7!BxZr,J$pOl5ps|da[CT`1 {ުHC2<)!b f]ȲM@bhS:\EzyXv%Q9qZY\h.$VcMsfO Zl$]ya8]րM=,Ehv>&ycXa0N, DHJ0u؜'p*JE$Sw i qTfzP6̤rܭ'owFݿaɃb>A>tNgq:Fί&AuYU$;iXfV%7w{bT&bX- ^ʿ&hs*O=~ dfTZb6X9udb`EwLIxcOk)]ް\wp_G%%V(g-;z/V! \Z T%NQ}͗_z#X\>="IՀ31@t=~l7de+ rJ| `yz36{ RV2{Bt:NȮ3vVTj+56[|g5Uq ɍ̯C1t:{1<@A#ق-9"Ǔ+ 'D/L[\&m-uEVT7tlݢmAS Ez N;fx/B7GNw"%4˓}]*eI6U$1|Լ#U zcJT t 5#ҩṄ,ۊ(B?򐤩m{+yQUگ̽AٳZ1FUIXEcB*E6AE,xޖ8͑ |$'Ϻ&uMӗN穪t3(*mjŴeu>B/ ?TfxИU^Y=EG`x#nC,t[1%"p"^v*/zzdX˓8^^XvKfx1 2 X7tOp-2KL b2(S0Wv ]+!oSO:w09A:\>%r4ztB8c4s ]iFn#l;_ɞN@obr$Nf. ]E$9Ģ) I²Zg4dg_'(|/DJS,Jq<+cI$"q Z~+=h<n/vNI>ߓ#s=E`Hx ʠrD(DZB]yIw߿}{J%_߻ 2{gf9㏡^@f*ޭ1̠㇨ǾI݋8u}HCflQ1(*=ZaYkD3OQ(WTk魜?MG`2{FK8=99%Gi<$OlA7r,#ޱcg_xI;M Տ@Qy#ȷ Ycc gcKb3u獄nf:UqM7_=Wq]z}k `Wٟ)3uwc9k6`oG"5vە54O^TcqAR;q*=au:<4|p~(FU̞ Wq{hmЊ}>}z,Z tH+;>dv.Q$W:eIRrDo*_X_2b 86qEy*i|cj bCKZBn!9SCYM֭*.idmtX^UāΠ>b!!eÎuޞnE|W:wWޢ}d;ZǏ1xk.} ϳ'caMup.-u_!j0yipAbZ*R h˹^}7Ӳg|\p@پ[˫]:)-F zC21 !}t̞>[cX pQAK`hʃ7ϖ 2f#i^4UZ^epC5Ge qUb!8dbJTla+-#GqoF^8YSk*)je^HÆ%6c$@"A0ITXdbD0Hh8UY.aɂBx#4khrLQySV2MO9yWn=?M!{3Gb=j%9B+w RQ4r^~ٱsb@.^Xm^ȳ5ȮR]]pXo]/*B'6mF1I%b5&[%#Q˟oTk_F,Վŷ??=kn 7|x{nqGnfi5̌j=øy{ͦ.u.!7nG.[h)Y>&57(oEsX3C DpTrQ񩡀'VF{<@=[x54p۔Sάnռ^"{sKdj LPa-* һx,"xua q`t ԑ8CoYP>xd:#2}A?q!- B2W0GCld-Fڇ/(m4=/R ؖtB> B!9 x"&+tXû$9GyFxuU\)b*?N`kTZ_|k?vJcRyI* z&U]K;s+TFqF)+'`XnvoK%5E {! Z0b@ˮsY{w^#"Ȳ8Xk@d9H;FG5@ KXzhAt;oҘk,В?\S/J>L6Yk r8U5"|ȗ^^BP]ݏ3AO]BhF8󊡧ߗ8M~}7i wAF<2ѣGK+L;SV9r(4f#:cfw"MV\g.;ģJ|b؏Ro3/Ϻ@uBQ^p=%>`|8#R |%^j K)pwoDMVsD)1b}C zkTG&>˫6H.t"2Ȇ*>FBL4!xSoZ>1Zy ]YG3sbN#EÍ$E=EགJ ȹij:x):>M4#Έ5 aV}4C&bv">Xru{# 2}8E0W;鉡MPRFN0+w3`K$k+DK/qI*G rH5!-򲄍ZS&OBtxZ"XSRͻ* M!im%0آM؄.nջȲQVj*T{fH7I:KW;x"{Yk44V&2:RLHSfc-YlӉy-G-WJӎ"+Y'EgrI$cxӥ`i1/׃Laܔ{1;'7#;`C# 9|Ψa>m}nT Qsv\M~{>`ޜvU')h*6+mp .*@m%|%ߗ TpvqT{zX>eS 5g|*&, #sT=3Xn|%ǡFRG;x)S -79fJ-Cc.&u/pcaq Y֎y%rnل=SJY0LLa7{0-YàƦt ҿ7ڠyA{m( DI/VJ V |alI2YtsTQ63s!7a}6ۄlm]m3$MӼH "-/;,[*PۢpRzD5hIXFmGVZYt@' s%A"{ؘ= 'c| E, '/yIz#y@-3pE\  GRGH fe\{q؎P}7` ރFETدMiȸ}vkրiHCpx%( jI^WǟovB9R) P`]so~U'lO`_Uŋ ./{WÀqxo$8A:V-4A> KX`UyD@5޷پe z2ޣCD)2?i4_>!Y91vI:-п&d!AeHͦNcS'::,cFH9,eetc.=(~İE% y|ѓc8Y5E5)CLA*Wq/,)W'P*c\s>/Zs9jqxn'y.O"׵WEL)jqR[jB7fjM iQDC?A+A &md<> MI=mFOYNү_L~~+6`n# sr|ifi \H] *Y.%Eӧ`>˴&*-}V/E(SOT| ԧ&KRWi;<#D~zF[k ]dž9̱+ '$ܓm2ĉ62šv\fXMHh%^ԯgO4 @ma"j)[ rp#%jn2M9U&Brk@"_:ym5%ȥ_I=,^%YX&\@1^pKBؙ&g(50mxM<u3cjakTME1f|)LN:Ѳt-Mͯg14sPp~S4E'f}9my<)]P71/o]sQhvզFr/!]t"׉'*u-ht7ԫ<@FAխXf8ݳSE")Ut⁝"A=< HaaUis=>8ʶ,֋33j!cx7֝6lS\ /EU)#*@LM{HT⇩4M#ad=z0o*\Di?_S믪x{ktM pcXF@F,5^!Dl*#AN:@&?p|[eMZ,*YkJh́+\,Y͎KxY+N3Lؿ. v8%aP 7KŽ@7p +8aWOVp*ï_$ &~?hK?%R}4H HZᥦ%c͎DN,c?`icN87ͨ|G6,A\jwxH )N~FSĕg{r&q?^ g <4Mr@6-,$s 1b ޮ:QuZJ.-ޗ +Z3!50vQ~ opoone}Qh=(Qh=3XGr*}gQ)?X!XOVorUܝ37ύ<`s^ڌnĆ:]sͽ1#M0x-0;zU#tR#\}%,P};I5N)qtM-%yF܈g{nsXׁN:9|^*l閑Mɪ8)KT(sW]bP" "nQ֛G}L!i nlBϫ80jTw-HcZϯ@Yd)v:N`A2bRqFJ\ĀGF?\zE؊~ןkzFƈ J6 +uҜ_7|Ond]TiKEobVA,6+!ۻ ։do(1wcT>Y`; 6zY\8j`\UGz9Ih)6:ͮɣ&8bdKz{W+f{DChLhGGYLH"0=ayU$]ADiZz3>Vo1=,vvuLxV\[5MS Q]M"ŽZD-o&RD^ RΌgQd0цu 3)jDB3P.E衎zw|q 8?(j5'w<`գ\)"e<b M}'Μ@ rs B&=do20=/M,sPH'ݰCi/uMa+vwySQTAy :۷j{;#[" 7捗@2vޱ[qQ̦c1+2ĶTՉy6}2'Ć(,wC$0JBw,.w"|ȑE7cr)RJGGK7P '_O;PtxPB^HS {>+jZSGX^ߧs \0 Q1Wy)o׋}ʼt)-"ۡ o6eRQʍ_tukGHT4GyG9OC'>D{DU\0D_F± Q DRSE;%Me.;cՓ/DDϕTJ; Ζ4;YО_iɛ5yW CT(#x"e`Ƴ,mrv½ld!8q*oV.ZzۖA-CU&) l+50i{wYr85Y}3M]| 0Lx ~ k*b(5I7[+.'&)A Sg܅n~7p$ ~\Df?|qOfD9lUy$<"Oo_Rasٲe6;#_\0m]oWOAEBL+6> w/Sn.CY8t۫E&R:̕ 6]\zFX0ڋDܔ$]Ew <>Kr>:[Ð}Jt: 8\ dڢÈms`ॗrP uPOAxvɜ#`aW)5 ^V*bÐ9q"OhIcz> .};g*/QE 8Y?m ^=wc{ ,]90Py%jzWʊ-RrqR㻪$|]dšLHﳔx[c 90-ǁ"en. oQ1SvϷgb!qͽ!q&t NIGٹ /V!̔N:Y5\N`dn'?mf7 έIlFR:o1p~;wh ~N~VR_} ^-2OI {NDE,f d"65VQ{N1^q W [pT!KFт2#t;ְq2R1 - b(zyAZHӑ^/.ȵ:&$֐XHD|&?p V X<'yk}aaZ{aP7_}XX'3u Ø/@h??[MU/Grt-l(=y)o#0L (9$qRmf('TrupJ d>' 2ܞs^0 /eӄ?s#Zzرq;W&I8ZwJ98訚 7Zɸ.z\o%`n`,ZwlzWP 1vxhl~ X_`/y^x! w`S$ALKzKhr܉{ .ׅFk+O1C ޭŔ虴*c.} uB:XUFTωh_ y#t9&8D$Bh"6?Ǎ2t<.)^ڂƝY +Ke-|EM(d^v#~_ b}9Sk>$2lwb%DؕA6?ˬᛌ,9Vocaml-doc-4.05/ocaml.info/ocaml.info.body-9.gz0000644000175000017500000004051613131636470017766 0ustar mehdimehdi8=gYocaml.info.body-9}mƱOlgA3QcElIٜYID @x7߷znhdۣ]]]]U~7n[fY:-"m[Mwd/H\5K8/X7YW{2cr&lUi=IK' ܛj-ƥܵL@lvM/?'@νښUU9yfVnVu uFkwU!D zPIepͪΚMUrCUM.#mtXG/6y ,W/Y_7EL1eviq7f ؽ6ti7;M,w¦3E`.\U;Oο9Ӵ{ ]Nhm|#Y T$&\W'ufExfX K릥[PxdJ|.ە[riD"Ҙ{%/6-g4`հŘX|:ofr|z؟7D %Y;yS46sL3^-?>#vܼrՆ/ nd[Z"ehj<[L{C%h "*ɄlhoRy?s^Fk2`|VaTB9 7sl.}9Q{ūe(NA~7SE)~ZRʼnE&b!%Z@IQU}YZVn cTNɧ3)tΧ)9<)Mx@aCx 5'!'˪u&oUi&ݽu:lO8ؽS ƛ|Z0 וÚΏg0[ԒV&o2²`mֺk:䓴ܒxeib[:2֢ۜH8Y]F^ eo!yi3ݵٌD "d+}T^Dsl3/4F@2СXo q} aKhiJXS@I^$5B=,rK\uúĥc+ݼ&9/A46!<)8d-j>A-Ihsxxj.f̚2-qx,ӛ,?9?l= <7&1-NAɲ_AP֚ 6R@T7;,ԌTQxsTk[@ƨ:#ál띨TJ2v$lqFtU5Xt,Uo|Va5i+?=~ME0iL:C|-%R$F1ۥܣ -g^e¼8x⃋(N׮`#-bR؄z#%,06L>yb5$JL}naGlzdۘZ9ByLd;#58۽F`HHAm6:iOoi<-:'^^a8Ab,E1j#5èQ"M>[ZBIJ2+[wE?VSys,vaظ}]Qwsxu6wY`lnC\Os"\yz"gҌљD.*K;5HDѫ`Օ,k7iTpm{$HvaodbC9|4@i+/Dt{;{tp.ᣇ'50X^f]UMZlrXø~_6 bF(eL65f&ipNA/y0BJ>DƠ9̇UO6`1v|0{/:y! X0TSJ='rXJ ,[72dX HA4f]o3x_Ϭ4 8jbĠ ZTgHtYƶ(l`Pp1\+?9cp oȌs zؖpo^X/O%~7Ah}ۢ=x:f&'ʡaN 2e[7i"m3`eVB{Fyx{ ӡǧXGlhuI$AfUg*'PR = #@J 39m.2;S&ntBGfJDL[g0f83C?hflA8H 8'&VPTA'Qu[6PK7H6·s/m:mVD$2gݺ7=[0yڦA%.qSsasC -j/{JXAXnGt#QVQMŠiNQ6<i&Zl-*qM!qv&MָXK5 ?N$"1*ȆIczŶj_:PD ~jO5KuωV rdִU0@*}GTǀ&brgK/N. G?!Lic]Y-; /a~HF$~'ΎbQψ!2_EG{>wDF}[lA VZȡPU};GL+-3 _2c&g'7vLlh@dZ6=3tsM@o܋Nwc''{:K:=*9"=1X6Z4-`fSQgBoTcӏi44oxHx%ʤwYVpH;"a{\W|*c+r:b˻ k"aO̠I;cHqPl%- С>[r?BgˎV:o;!s6o٣T1f]M)aдZ0 V:e ~'\E§6#BZ@$Ո5Q ;cZCٙ5*P HvhMZEأ@godL(M% @i %[1jR$)oiVj(a @B̰aL;cYa[ؽs飂ྂq1KbBl&ŜՇH}`:U0?o"G?zƯn^΄ kh[Ϩ{T i=0< =B/M֏ڮb8*RؿXPUߦzw=p0Ai$fi^9ߞ@t RӃtwa߸[_ӫ[{(%$<.oƧe2߻ı/99V(?V$^_] ]%+\J< ]PyWg=W1B4BXqNfjjDNċ=z[ &.Huk38I$Dhc/cDKk%wq7, oe*ҽUB?Nhru[R@y+b=͗jK&d=ү"Uu[:F]޽ I;W3&cw{Vs,c麞 u^nqHIػfMS/'1 cM| ]:%بѻ F4>|祖t| 9iyZ4M u=uObe{d+X[.{i>[cE` FSȌM$b-ee:(]·j[sw˾2Ź-K`ǝ9 sB D|F8_@!.Wm8  Ի7 fa znhM$688u靐F,"r|_)'j*YfgvƽZrj[^J4uP8ꯔ nK"fE~K0K0몼VدLdZn&eP<86$ExڜI@=?mۧ$7YbO^J&=Gқ`6(g5'.9BV٬[:eC,,%[Rgk+U`YI;Kkf c%'JM>'9&֐y\O$2e2ȫԤY%ԉR48H tʙd~tާ0R/gQLk20puC4@b@@ku0;Z\泗!n_UEdU ;1v`Suȓ8̆gC|8Y%|+q&rdM,/<=(fK4G LtTZeCAߟo܊ĩ(B  ! H:5y>2<ٵX7!̗iB._9N-`fl1 `I;Ak|@90ϑmI FjLf8ڊm$O.=z.=ϳ?ށVF&Ɍ_=b1UU#=jK'7*荜 ul_Do`@$VJ>YyUɪ,@S6;_ Ig03W^$aIduR$H@H̾2H$:i-1,D!8m"$nA!"uBsf5m!z72B\ٶb)D (@M]Y.jj~&CQC7a)| &͙acBHG C"k"(ADkN96~sbLo;Dx - >)lka q`*Ġ 2dH5QQRP%IS| xWS_SF؎-I=1^S+jp^|ZEM2fMh2YAsaSI%Ze>CnCV0٣ v~S/HL0"nMz@$&6ytZrp&t2SJF3v 5IZm!ʖ dS']9\AJX%YJ Np71Iś@LfYu.AcZb'ɾ 깪-" `J{gGQX 'j||O$g&^dHl5 v9S gVĜ GZ<뵽n{`&(E"(Um"=l`:eD'MyU:_8p?6ld{ʰUdʎ;Ϸ%=7fʚ€6CkM~g "NRÜbRڥש jڜBޯ7BkvY0,e4X񌃀 o!| 6 z=3̫-QU><wC1kg7E0(1C9FY{#sGsX8?Ԩ8_H2s*?L4<&c-12go^.Hwtqw4~`+q/8IZPp@:C:Ã;i?o)!Ybq$NTM: w${G:(s4WDh%ȯC<_dwY~>WZD;>vCzҗ]m}q_(`\fH0,/`"h~y4z|uujlɹbmz$YqH,k^@=qDN^Kcr#ϟ!“5|}p2sq'^dFBP!ç}NLz@@N#uFI1t|ES5EY1QNN6`º+<~zJ2[?c_؜pA=lZ;d_Ku(~8K͊g+2H׋R<~t2^85UF%P9XWtv_~vwI(V&V_vw.N_ K;k}rI(EO?kΤ14{\E+G(%6g]O9#pNq+jYJ>wiN9}w.LX k[ 7%{=h2Pl6olӓ*[<|p2ҥg]NL4T7y)|gwaF+ %6 1N1,b ҹњ[nSQk]6ĄP~Dh4iXjCkimIgWK )aq=S"4ke-OwLZs*]ܐ׊?2+B+nKifcZrd3U1EVI]m T׌ZI(ҵE [DUڠ@"bXoCP/,e5Gw;a 6n$Pr8!C~ $d[KQL *gpOX::[7rjخ_sjc6}C_Тj ƺ<}yZ/Cm<{HYf`f<32C,x #2T<Æ:\ĬGjߦbKb4<`* " g]=R8rb4`rGRdH/` ' kgOH"6'm fK'ew^lB:] eGdUFjof} }CA ѴkIYtewhK'=4tҨkUgv:HD*D , dAͷ)l=4t4&>_1{:J! H@`U, 5v4v}#Ht4G׽Ƥ9\OoV[QJF$\>O+ %^ú^vu,); Fb'i8蚖U$\ˠV" Ҝΐrq룲ޑC>h'D͊KMUű2ؽ%Jh]*CHw} Q2 &g孭"% 3#jGfHzGIQ=iWlդevR!z}jʕy6XZU„T;Y.S1+)e:K y7ŠS!"#fdb*Δ?J\B當Y)2BznvQQc86J}S@ i:&h+]k!V!]mLW^.iXfHEϝ&"F|x 8$J"AP,y6.}?V ҹѾEpѪEdU!rJw>(i_K.溤IvmZ{q%w[<ؽ'3!mƳ1N`{Lrߓ:*mo 1<´;Z4k;QE5Q8+=<ߩ:s:|̷_q!;ACB_aL%$)@7Ef]iM K?6F4>P߽ڞזpYVbs>Z5&{_b{_%qE1ԫ>ⷾ]?ڷ`RSd<a⢩E@zٷ&; |!.JS'skpQی8Ng>}D73:O~u:7֖D:.@cȻ"K݈WX0;v.ft1~./u^E@5>/F植gK:hr|.t)m~e)JӶZ$m%*\V?~=dŔ/ 7iCd:vcXqj=dP>.vXGg$/{C{OJ|_^cK6wkk@])Oh\ Pf|p Zx+a?^%=/-O`C>Ϝ+,j:ߗޢeqEfb1s!DZFЄ<4nڭ ,E*O}&_t;~YJ⟩աCvq>$N\?Gc T?hCß=|zhs;prOFg?OhZV<Ola0sؼ?4|x|#ztJGGǣǣ󧣋r2_./GGDgujNw΍B3o|:KocGc6{jIYsόۑ)FڊG~s"Ƙ#=dh>ebΎv4PR-1 iPWİ9EX!Rn&\N1΋6uh 7T[5[lR]2 ~A0n_Gx,_{U?]> DO7kQ;&q.XJRVqqyCFo ]G:!Fz[s_5Ŋ l+W|{"*PM}谓UkuUVqjCθxXл($;!G'eKkYU!(RBhw/P3a4A.;>prC(J^;vX9i˱ FN> Ǥ%U7R}.T32A]{S}n<ۿsz zz2eZn20IuXש5%c f2J~{(x=#ծJlReZ -T!H"Y q uӊ>6J;ZE~Y5Ċ a4vD1;.&._,wZk_䦼ķ SUþ&ok5v:KqV7D=xy,uHEs7 g(4ragzޝYjD;camyd c-;Vf?~z=U?@NS_EJیM}ߜC ?wBCb4*EGi_9g?\рz=K!' {a9?UNܩ-/2R긍*2߶7#- Q1 }uDקzzt pW@ m|~YmYr}$czHOmޯ`qg$|y߳Oz,it3J?"6wךXi&S4 F l Qht;*ܗmܖ>\/TMEh K;$/: Xk 7:sZGpbeFKsB皞hGU2ۆ^D5lx2vZCGӼH6&oN\{gmǖ X[sQZ6[ND;=0 8Ed#f7f-noLs$7ARBE@lN݀ªAkNxIxU"O9uPn;3R$[6R*]=~%|; W+S[r(42Y7p'˫H~Ƿhq|1oxčP$Krzal˽^^h{L[]%b+bK{$ͯJqpߍCкq4$\RX)(y>0}"ca^g{oL:W$Y2?[KU_X"kׄ E5%nIC|`ab 8k-7Hn%_(*f_h/7~0˖)||5Au5~ Dž:1K&dv35 Zmrufx{q}np]fH!_;̣yQP?n9w/SK}-HKu4_ 9kv4o9>d`Um/ vv ^y-Cr_kR1v< [/KގZI0 "Wܪ b=;v,["2Er|Hۑ/&蠄^)]o & rsq=DO7Q!}}LpEԧ^[%2 v6ܫI|ANi,C*$o:'J#bJYwiy2'hSͫ 厫%- IݍY~e |Ob;Dp=n,ǻ9o5aQ8)33WJIsiPܥ٬L-Gw-` h6Co2G<,~^EK W,7`O ֤cr?JÂKPGx!S<gm/*S$w̚d}r]#qnFSQL4hhF\ޱ>e/I*s{6?Ϡ^- =b7Z`rVmkz]oJzk~aՒpU]Iw\^JcŇO:gv׷tEgsp8͂@wə'E&nO6 ݎ)_:;$z|}uuhr&mbbOet/zv %YB}>n  p|X P 7 \6GO5ˢQ: 5b}jĝ ԙ,\<]~ҡhX3Yk Y#Ҿ$0`-|l;2kIZ4aXDdyi nKIHN42:ADYڊܫb(9GaEhșk gnM%Xٍ-VS4Md3W47nmklt7/Ffצ҃q).׬~G0~Ӯ@q3_s4zqWE #{"nc" Z/81%x0K8Q<5'Dƪ)|ץRwKgA34B >T.-Ifk<Z HS>KN*מD׉%Qڭxn?&%q XOѝs3{Ysw?o~e:KJ *X%$<8f#nzN5(K_[R6+!HM1"|⬽kV4V8|foHSop]Φ])` I/+BЃ0ǵ é#V|'[>ULX01\7`w٧>rX[|"W;֞vr2)9IY8Sϕ]He=!l0>K5lD;\Lo$|4G3l8iN¥Q?E_'XhhOFE'퓔客$Uh0R| wU("CIIDUK2?6 ӃKg]2i *;an =nwWn\nLhtMן^[ZdMSIM +_q D0NG{H?4X+z{ zҍ$":u<כg;{gg-?1elVMW|&%{[Z.㼜lF} ] bo %_%+aE|}[}[`BkNjS1^vhMLӯIh/S:tN ";mGdF\!YݟcX_hnҳ&n7ߣjʝhSrIYu^F//K/EaA) o8=GOIf<1&g4_[^ŝ5-h-`?]|5q],Ļ}*mQOS⓯a-+cdrvf.[F+K rUܰyO' n~aG>;W]8?I PLۨyAFRϯWB@ g]eȼDRt"'LyqȲ7"MjVQq;d]U'5-4}U}gHV2EB>FGK$> o =|/Qm33X߹iVKA4&D-yFπUs~^]6 W͑ @bĖI09fRtr"VSG ol`l h5Vkɐ]Զ,ĻXx+Locaml-doc-4.05/ocaml.info/ocaml.info.body-10.gz0000644000175000017500000004012113131636470020026 0ustar mehdimehdi8=gYocaml.info.body-10}{wƑߙ/qquϹ3ЋNvMg%K8>^LAwGw)sP]]]]~7:/\r5¹2ilud]We%Y&tvgMOjm4/,Zo޹eWerh~<Swojww?nOlۺ~3IQz$ɷeɗIQeLu\e5V:sL:?dK[WIګMn6YLYIs핬(n|e3Muu3jcYӯ ݷU"Mu0^irիo i&MC%E,a(ZC\=Ic<=LOj][_'YB$[Vd-f&[vm }6{wAh] )TbR]{^S7W?mMK˽ 0VMJ[ 6ո^ KZWEQ`V9-p6ѧX}Mr,gu REɷٺeiJA;v"@xʣM8?{o?x_?9{ĕy]W5- X 1gʸ3eUی 8MF%d@!:2/*V*נucOD)D~^\[߭m7m~'砢=~b3XhB#+v+|-]fyЦǼD.r\("LHL|ic9 |S3H?4R_@!#(n]Cq׮1;Ғ3l,YO/@F(moNZh`^0- |zum mwʴ1?w5a?Dϗt5\CianjF 7+HKXnC.M%g=7zHIV1OifPlIUFjPcx4?!Ή5WU=.'RЛ2%}"эsUlHV:(2Sde„-i:MʊJ6#\{I# (yce.7JoeUE)cO3kYDgR'BD9LH[\pb[5MȋrKAn(1D>z1 ~[u)@yV#?@]d]bn,4 Hy bwJO'J0ܱ֞udzIMA /APT@hX-..#-n4Ӧ"Mr|[OI{U [LkzJ@V,/Xig^2l5xt!Ibąڙ.ihHev+"R7.9h4D/hRAyrOޜ={5.LJtCc`6," G$% ^?5X;Y𝉅h$;b׎6$Ƞ[ !NA[U8t:k1=fbD+5=M\| h4 8(+G?;q{WxM.v2(:zPň~]VʩJC )3ZiOĮ"=p|p;j#3=y$H-»d,2:Vj%iJ$J\H.˪qxso xlXbB *2IY)Y YVC[-1 A7Q}ٗʂNt,W.&agxL$h ,`jUX&n]Q9Q&KGh`w%eUw|x#T+%0%]}VTV\m݉/; l 6=#յЋ3y6 |ش"elt&'H4 ,7 RM]LϘ$L!EЌ :ڹ[fJA hՎ~Ϙ' I4caA/,HibˑoQboҫ] QfFGr 3&d[ /)[WDG#NXmqY\3(L˒^dk`+3:G9 mc}ZT ?'&JTLp3ȠV #X@**u|lz,gw|R'6#TImIyΐ v3,W<3Gk+hGV+}V]b0n`W\ENFWҕ)b 3/ޮs2, N#MfXU ` ̱jHe v$v-I6Sk]Tn3?k$]k ŵ˩ba0AS/۵BU&$`F.,v0,A }7 6McJ@S p0"z!On-bk 2~(h "mn0+9=MnGGĪb`D&ScڲhfFK$W7[;XXQl,y):_5KJH@%,fPHt^pcSKok-uwOlG]K<>+ARLrXj%ԮakYC `[ f|1rĬX'/~?DYTnbTHȧ>LZ *~yQ:i1C"y#6WqL9w`B BӮ?<{ScG3͛n?Ygּ{"-|Eem8m: #䗥4J_d^9"fZW!ؠRɋwZD-sQZl kFzW_0~4I/IKeծ`3lhCA4 8SyF,S(kРԚxѿt)Zj]AqnQ\ z>^ J̈F y)1U<!ȨYVȳfr[o+ ԘcKO+P@ (><4=<+OǧmΙ=V:,}=~ ,b/LPމOM-ݍsY)R[_s cõ72ufFVkv; H,jJR]7QuqnNI5cv\*bW x퐘5uNhū{U9_KU^_GQfb_3-W#w[ʊ,E*!@gIe\tB?'> 8Ұ @dguϮ%"f&EͿƷ 5nVlt3xq›rMW젴,nzn͡UKMirvSĨlSc@T[F#v; bGHXf p[ty92n6#EEhkT3;V;l(%v\UӘ5 $#ɼJ荋 q/n!ȗ m$o4"y'ɳ:;Ub.*du.+\+IvJ2 V}7@,F؍x\e%WNjRΎ7Ixr޹g|L;1fc: \"3>ڍ9i 9_D0-G D~#-!Kvt"ҹ}0=q_VXK^孩s8zFs^r/\W5#+K>]g6LjNd8MEQk雾HULė͠!NЈ[?kS~F(W͔ڂӶB*!2ɱ7mP!ζ*-XyḢZyBxIC0Yl>Oǚ=EnZ)'9,dS$<}̝@W/l,[XmElF,8LXOqo˛sPNc @̉&oäAo˞OF $"鷞șe^y}s%>"/fp/6}7Z)c _-Epr.4SNDo-:`ጥ(B;Ӥ;vIG?H4Òi7\lX$=IONDP a4K^ʖ%!|mi1駐8V6Ob']r >,@ܞU.O+=}X؁>x㦪?&m%Ǝeh3B*q#TK4Y If!}LM@'{5\4?ooA?dc$o&9g/HWDHTBoXo6q`jaS{U;C1t>D?ƐQ/g O "nkug/|ޤgX ]yHh]IO(}H0Mh%;jLMARWۚ;6 k;:dU,9XZ-e+x&AB0OopG0b0MfQq8uT\ m4-zqU~WHYH;n'='c!?iS}S(q"/+2lDqފ7Ή0ھם_d]gwzհ4%fg.\*&r#ֵbV[Y TX@?F,FFu#C1ya8LLbKI턟 f[*'-ǼPԳ<4K2Nw4gt2>|+m"gr>`# H9睗rNO瘨k:@ּl;,Yh^. L MM\g`;BmF 8{)Ju@茗2^|h#i9$Jٹgϐ,@%Flf.͓$\˜$w£m;m9?1qw`f׃RC@4]ӐMLi5ЅYjWdǮ)up1wL:r.|NNJKm+}%39ϴ໪ ǠwnBAB0ʘ= Mʯȍ0c 9{md:y;cQ0jVZHuk;$m?czX3Cף.\@5@-U9-'ܩ{Mvsq(jn3ApGa–V+zUPrK!1[3xR=DD s)3A+(i\: v4$@PʃO+S`/yG!U=TYE}䂛@sH9% foYB~H,ۇ`WU/5ɇ8i3BJ_> Bz,pi1.NvnWLz1xDQ$IKIK kSlie]JZ%u֕U>T>#:rjL=[ P8)VQ4SFFUh&W86 i>j9ziJw&ATxDu@@o#(bCEҜMǿAIJqӲR up|Sͩb0Y eԠX&Q"$|]t62M2c~DQ?GJ4ՐJoƫaDg^Z۲kz(j /&WN_1kCO"Iզ{_&F~ Ӕ>o#wt-8j}32^X竂6z)bV.61?F z~#f";bi!S'\؂mF[oR f]Dp| 8 שc~߄Z[`?]=+QD`zYR~?w֊͹}T1dq]l%EUZCx^r]~՞Qσt i wN2\n@_|թIJI@ZoARA3k:3JC_`]2|5 R….Qc-UEP 5$D+jj*}i_"S"{C+ AWNV4%V)դԏGt578Ęϻ~;<.py z3 $As/ĊLRIB#= ~q8}4D!Q&>3;{rH}QQ YsfmR.V7+#G.Ux fKmLמ&B:4Rgw~ M/[H役 [doxIہpFL# *c#{>haG՗&rПo.uo _7I%,/<], HLfW|wixazj},\gՃGA^?3$eXG//Dsj94 a s(L0!c7^,q *jy휭hyόfB^OB}yϋܓ5W+=<-'9{FFxeUCb}Os4;\k?30$ܿFhh${k2YFD{E~vef9 0}Jh{_a< rp/-bm y|crBpƕ>u%b!m41)Ro(. DM{Htmlp=]r դejz>Y7!{12oAY̧ =&8(ӚVMz|p ZŐ~R{"%=&$Js ġj4"^@F폟b1N"' 7\netH>ςS A Fk=YT%+g ;!MĿ<<p<[4:0X~7D~?>hqusBӟ')yF/F{_=|ߌ=|ߎ=9ߍ=<|OF;4y3_hŇCZ!V|`3G#`G7`9I''4=~>?9LӓQ*ds413>f]&ko"])>G0%\87:͌ګ4^3Dn6=v+|6ԋ+U.f"ҥ7%XGoRc[$…\G-2dޒ{kJ̅v}.MK7οՒB弄ht秅j#7Op뷹x9M+mZZu>Ļz+U wčEzH5.Ԅ!+j+7qo@g% 4y|ݑdMEt BrH|UIO?n*ڊ7~0fî GA$:~q_/ΣDEup~9 L=HzlQ|LENu~yMۿ\TwB f$HC_~?~βb{z}A(?OztB_Zd3jIn㑻NF{71$.-?R ԃ;M+nE?o'g]q,Ȓ-/2;QEÆ.ǦL4q?%NGJ\r$ixJv+VTufՇtSQcZFpn=nܠS]UZ:f=p5 >2&z)۷? .y']H5^O}M٣F⬜8T|hy4Ml*ee`}/փEh+b@ppx6;;̷ێ+Ǵo`n\x#7}]ɍ+k# +lCw;WCߛVe[ͤE%ZJkʭ+Y͝dӳ{.u'{z^lV#~^k@诤|ǧ 15q7p#9J2K^Bc]AUQ|3vA.6O8t5DN/ZN{SEYtfsWjHvu)V|녒y`zD.Q:;ڸ~Yv߆yTAX}ġK[2tԑ5xZa޶K·;sy`ڞHLh ܍Cၧ.鼃_{N.n-@0KuR% "v= W͖2]nQZ*8V#M}&₁aXN藬r/=7 =T6^IIoL; {G}Q#Ѓ(SyJ-hGy`oGpAWmf̷11.kIyW׸in ;)Fla33?4 4 G%r#´DẒdHY>D BL E\> UMk!;7v?׃^@>Kx̢Ӓ.9n{7(EBT[ =ePV Dd) ^ǿ m~SF *}\V;e H $+30C>q G*>/öcQI'״یVښ4}" !U' WTe˃p%ci g|+%,OsC}V0}w1gbyp?,ZgvGZCTVe&EñvVbebElQ,B]'EOߒZqT+Ax?&NPR$6#JV*=criE4꽑 UO}vm =H3tՎ+.:ѿ%ɟ܉+&NLԮ}o-w؝3r F4VoqbӨ\Sb僂1~_+;JȎ߮CN쾮k9ةс<|?LJÜ3p$ݝr1}s45$cSs%ذ"_$s8ҪO OFMіxlf]W1FtL >$ k>!'̕>}ON(_fuU٭zB+*O`-3O>·Vc%XO,Ą]ĹȨ/<״[V I揄S_]"/pDg=;^UmcǢb(XKN+< N4g"Q~[~ wuM议WWNU2O3\ L̓D%gɼ,ɏ[2$."mLXf4e1Oiyr7Ky|v6ϫٵXUOI2n|$ɋbV?b"3ud3q#K@yR]$͡\L `x@ I" <>d^S%UA$ǀE%\^ ϒ"6,M qYZii"jNb()qJoo pP9+iHD5-1,&E j_X+ gU89%M|z6u'WϠg233]29DdaNST8!10Uz#qsD$(Y[?ʬX#uEBhz1xյ%.*LhD(TH@ri)A>]b*Bhn05!H?aR8*MK+6"BxÂ;}5akl9|۟6u.Dպ7;)j^JfQ.SmV OGY]͊HS- 6S!UB'ńft3„/ Q;xR[;8+%˛p?͓ ̲ <5Ḛ?f!f]]_RV'̹=m/seRD_ȑӔtR 1.L%d:<| NXѣ(e2+5E#gtj<2Af!cr\w ׀dEdQ8 =0yOkg'FlLNNf8ÇyLx^>ɩO?𧷣S>^'He(R;p/Uh dтBYƞctbiR2)V+V/xcTUڶ }-fRĔva7ǪX%"YnlpOڜGa匶3xތ|3yNrXJaP:O'D_ƄO@KD੓e7m7@O`ѷޏ`7bsXfW;\(zB8@9SZ {2PF9 \.hǣStcԓh<ä:z!i:4LWrMDէxm@XGS|sfM;.!9T{f&2p.o ^YJsf 7,{؍1+bc>"C+ecOMۻc$'Y4Rζw( ?` :rj8 `#)Xy/JgVUЎW{x5UWZ5),M Ҍb-JL!"<+&!(D8ZwO5!ħ}8eS½؎(DgMŎYC55"l~1R&D;m& PLY\'Zc6֝=v7|qZGGc٣ESby2թ/i*˃(,)0 Y>_Pr`_`"vzl!@=պոlnZ'g,t D$MU1,+wб :joA6c)j€h92FJIv,oWGA}|uVgdC\0gzQLnqˬdݳ5u4v tohYH1m _q&CZhHDŽutVjvD e_ f5Կ ǯADՠ`T!p& T:T5a}&%<@7AF FR.1>Hxg,9s]S` Id~kCM,׸RVʳO搹hRTc|[?0щ'7XGg쨿oL2vN8ɇ@kN.^Ήвi=:hNۋF׍m2Uh3 `kϮ^GOq"%;9kӥ:d;Jc yZ=AѻƘ Օ>!mKxNE.75b HNZCC8bt8zC>Oyۛ$ !@DQh2E>ЫL [6t"4G jr6>)[BBxCEG^ĐC(擣ĽsM>oa9fWN+FrF&֟{r 6צG_< A;3o\Sko{W'7|H[ 5ު$g<Qx4L>O>"dsgևɀ r80qfs4s"` x&?c$&ōϠ^G> aI=3J׼Jl5[ud74V`. N&鐿 %ki֮2/5?n”lG( OǢP^^$8زICRo‰xvYS0Ö0\ҷˈDVVg^͘T>shxqλ~܏[ܐ~`4ut-qW q4n&kh2yl;ltaʭ| Џط~nӹžNҌ=FS E"3^5~kԘ܁k2=ٺvm;pu|uE Pn8 b-J7Nz7m~7$h@oQ1\*uLQQ|WrW0A8ȢAˊ)=V­9moY7xQ~P n vՊ:uΫLΫ}EjvxٻnlM!0NT060*Q6h-e>Ӱo;f+6Xr*H21-/ Nq\25==<[9ly乕%|/ݙ]!R 9.ĒaB5Vڏ;-ŚRn <\Wm(Uq"׮#C< 8l&)eF49t<S|vi.)zQ]~:Qe$Λ.`JOtarLU%,.´uuosc88'+Y ӛj& T c 7N)7VaENp -)L6UUln$(Y9l$χ?CP|v0/Z% %͗N7GG:13,ک_mA!SUi=EĝwS9KwYX˪ ZrNc,|TYn_NO`4b}~@t.@s^$`}C +w!7W~$ō=XKW.;>A&N򶎧]^T-M(:5 .$:N,ULl`!%#5$ٹU9,t8.tsq(tB7mUM)u&@:ޢ^āJuFW BSxF%נ\2y#&.Geb C6XOc&@rRƑma R~L?JTu5Ugs<ߟ)X5 nYbl]nƟfSb3֚?,514د4Bmm5-~ ; vo1`2"Îk`hf[7  4y Eb:]^tUӊ<"Gr%cXQMI3`}rPxV]Ir*T5OoOl_:n`IK'}m HZz?5%`tcjһCg+sHYO*#:GC8yWWT~ ~9=0lw~ X!g5I1 MպM+/ֵ5"p԰l ݝ-~X "s-됅.M~`Ag}l߂%}m민!4E:1N ?}-8]I',I6RxD8rȜ*-̂]iiZdCx~J?\U ϵa*WR|;qdƤ2|F*IW BWz:9m?0#^ . VZdzjMR<3M.&bQ;_ۀ݋Xˬ'Xz{B.AEC |9g7aՌLb7xD%tK޿?~tP$XdM<&9Q|%D]&5"B{L (%L9䕸J3Wp5KBXGіXPyH`kM@UY=;jU"ٯf Sʼn&Z;A-,`ec lX:cJkVh0(K0Ǎ榍N&fR 6мgV' 2|>{ΤsXCZ/̔l'mKBd]:F[wMhXA+"2E 9hu, d!ʛi-<7/63jU/ ehO F~0 E 7?/Deϖ/f% :pOIc0BJ>F0_PG tn;bړ'YWy,bޡg@gZp$j:Jn;#PȮi%r|V9%X@o.Kse~e_!8H$/!A:k#UH WDe%n;(BO_TdKioj JSqYvQk-Bp B)2DoXMȨ.H,L漖;,_O z2sn-G}vDδ+= i:8Ӛ+*Q mԶ-6@R`Mw6pUNj&ty8^רpu"X[MF4؊[47 np9ۜ^3Y4S'tAkEZ8*8Y $ґj$0ur5i u*4ehx׍kZnVRTӳ8 SR9Xj)utmPX%?m Ʒ0u=JS?̫+%X?wXgSeY% e1ŝJl6M?濚gJ}rpbT}t*ETTΛ5kS wLX|% $r'1_9~b:vao=N#?fSjhbF8J{~wk CMǴ >鲌֔*^8l?<»j,o8˘m0\KS`vl.6jKi}!O."[.:zg*]C,~T[k鿶! ^/\'ʕe·xz4wD8iwq?nJy`%Q"F@9 v0%4f i<чbUq{)NN _pCSL6?aKвïѿ:}b^gMLaIz:E-ED0EN)N=m+ɨMy)@0X&l6JsiI{3v{M6hy &՞=b.cRUf׶[JE@չ^xf~:WtqqS{pc 0X<-y-mK9Btc lhWʟWlO `Gc gś{ cI0;!PZie's`db-CqMG1tRsģIHoׅyD?_szYC8rSit7-R_d”b$L i6Spǫ7#/%S=*Wo-9;=M s޲48OfȍMqiM{i73oD`lZ_^b['7-֋|S֢y0xIH=k>cIMט-q2qpL]c3Y27V@ꮵڃҖV<=rsk|:w5sVLY4!;/7,IJh.{>Cfŷ7 ZpSɧe FRPgMARPQ"sQy*Ei%*){q)ⷿe .}q_ú W}Kb#]wAe&XO*ސzN)Twsrɺner|OB~oB #~ dWJSrm0vjйb 9x2 , 4R+H`K*|.7 F &4Q [a4niTMP\*VͪpH;Onhr U`LaETȗ^e6d|E~Y݊JZ"|B ]h CYf:< }u.,USX;P[ z}0[ul%uVK8GgE6qz/%qICfh8h/,jDPL GF1ރXwmEиi0Uͷ`!KO88V2Y䮛 +>BYFɰ\FC;}g>ߑ%rO`lu };EY;R:~Lq$A3Sp#1SWi;jkZ@7ouǢ9t<%tlhSԏNQz% jg1"tw%5=q6MjkA/՛TfmJOr07deLA&R,hIlhteOn5Z^(f$хA{Xp~\ kv]xDY9:!ص'74 %Лh52li2Q@IA&h泀 K Nf.DE CmSC4TCKv)-j9ANa)RX &+y-KUcD=~y3rv20wyچ%^9+ HC'nh ) -apR.ib"" i+6y+`9҆}s4}OWo?jbC-^*uI8`ճ?h5<g4f.m-b]# ~,ōoKiڲ&5 ⻌ 07iQ+d&7HS@eB vjh]5dr'JQ!sKy|NQCU ʚeѮMnR{V,f%A9biQW#c2lZLUá1zP 4Or#&֥nA}=yjtt彰ˏV%N7 2F3<|$B'OG;gК3#*]5mPy? 5e3N7zm$6('0u Y@ M "S.|GF%Wi0҇Rw9ZTZ#xPΘb|m~G^y#[؀WdʬiMWf Qx}i{"^7(j@Fĩy:诧@=Z4˷jz\b6ڵFǼ}dp)&oQ򃷒f\^+I\ن2&Nt; x ڬJmWZh7u=ܒa ocaml-doc-4.05/ocaml.info/ocaml.info.body-11.gz0000644000175000017500000003543113131636470020037 0ustar mehdimehdi8=gYocaml.info.body-11}kwFƟZMrD*$SVcO;hǯGzv3> h8}HIg{w3q}[YmYeRiΓ&EU̓uf5ߧ?EBsSΒUgŢgLtdeanOƓ?=Ko/GzQWg?YcYdLݞē cI%ӎk̄V98JGz}'qA]j:^lr^,wKȽvlMJzz#]/hLKAW5UD49zvHӀA(S@"@-u^Ezflf SN,/OoK妟Ԁ(u7Cr%Kx D\u/@ğ¸-h▭7AE`җ?CCCC 2]ಁs > Ep U>ab2abbg 9aEdL‰ņf)fJxfo肅@&[,6uHϔN$R*s&8$N/Fp2f0r1ɳiT[{HalYѬ\7/l}J@ 2O.\H-y9{GIhh>7w'[4EW茑l c ƲHܠ xDӔCc^1OZ{]Xu]/38s0+UIr>XG965s8X@V-+ *+%%8~׀'8@RO}%QcZ lIu "c1YFdIHeIJpM&;2 $Lȩhz}P%IV GPD;=`P'?*؀ "%J5I@^H9|EA*We?#%9j5tlVeq~x;X=`{^7/yr 9`S<K$Dw }u8WS9=5j@OM3_[$YScf!Vv2,;b-hӝ \J?ф7t{Әd؍Mfh~n=H_A&w R(3E~V/1o"a˯?Rt85z[.dávYOx6hSbn#j8 '=1wr/qsiu!%e4o'0tHoio_(Dn4/I$&YlYr}#X!QuBOݱp z 5@@ MfdOAd?@B+B%6[[b0JS\X( X6tz&@=R]n9Qe8:\oV]V 2LBAlC# n  U1/NsfD(֖Rڭ2Q[eZΕ lMR6A+856%2Bbnڼf, ʡ_^H¤ w!bXao @j_D|\I4-62;>gQYm8|0uB;qU$<fٯQ#E6lZ>/ЄZҞ{,@YX%#&-oJmA?mQdKBYQx6r(w4d̳ Žnn<#\aT?m\\ժIu6 ( "jM-~qpbO`lݳ~;ڏKY։cZ?D@1~EĈ)o1q]Faմ fD`gPY@g.fJ^PL!\9:>{ܬ+sѕ0 'ٵyGS5bG)LLnZe%!Ye(氍7;VA{b'8d44$p=-2!˕cXafZ\leGmʀCsZ"4H[̮Ĥ9F,Ak^YdbƗ@|Z06M]&YzԲio]==މnB3-@Z20{}4z5l䄑-mj|b X{-8Eite*=Ed{.yAa"TNSBa4d)!&}0~%V&[٣on6Abcr199B T-Cbi`Fȹ!ڡ) Wִ!澸GUd@Zl hQ+k3a ?0w_N7nhxWe˝/a?.g}#`i : 1IT7A.ALs7t:9KXCZy/{$8R$HA03cdѰa_ԟGzF,|~v807d?7v{B34vr({BjpY1ƥv2GHD+- Ȥ Asޖ7^'ġ9 [a_>ôȳYî{ccQ^A%ׄ%IY F),6XqP1`0mj%Y[у0t89t\ QgbysZEz @U/M%V x67hPN z$tK7t!(ݼʎuq$yl.07+⭲/s(x}`S#X3OnN]P̧sYtǧ(b~J#NuڝHێ.b`ۭRax H~8^jWi,3*#ASi k@j]qDQF+ߧ;vt&huEIgF75ܹ#_P97[[-_?ݱ-1xtTzSB% sg=:Z̳ (/|Bh֑홼xMު"jCp}[}^ 2-h|?IeݼUc.6@v('~\4mfa{ȱ`U%0 { +4a/y9#G-sv`D$Af.+- ;ƈ!CE:G>6$m0OIcIfN&L{ͺ-E?)T#8-."PAao rcηC -ڏB]lν彷Q&n?̑hcqے=F'KeEA0څ|e!$u*JH\6&S>[P k7$I|l"%njvuBw$%H\ ov.ҳg%՜sgF! ͳԋMF 2cݎJRdGaBr1'lD"S*D :"IX9bDNI2Ba(uWՕ@AY'L)y9#|9&yDp)z1Yds d[5 nͳ=;\ghZ91I4/ ;=U"έka<]c o4dtPB 쯙( (Ŏ/i$"\a4JɦOpbD@6]q+c?:hֳ*[_푍dbQHyqʸF G$$ƏjFa ~ gl`kP S/-ɴmYizb*A8*$%Y={Ȍ <+ТNŽc"yҁ$wU2M3ͰF`Ƥ^x"ԠHVk2NI1F\$ s!eN7iX^s?|7^=8Dt+Zw12vj5C 4qڽoڑV۫>$6`S [dw(; om9T4AcNQ8} ^Q9&#\I ʖ'%Rlhk3 ^!nʓ"FV<52H2GC7c|CAun{-Q4R< orUmF{R@;KD6]s}+wlUjG+}ӱ_nb܈v[1?`XE֛uιRE*Qg|:ei@4fl+325#VY#x t_FB,S`JPRAj2A8$o+ ]az"xk,E)ts0N+Ld]IAf& %K4/0-[ h`<~֐#e?iǓ3in j,)1C2&,粞uwcnۋ uڟG+3TbwxQ㘬M:;/6&]Nm*zCφъQ|m,RD sq%E~nq9zNZ MYս+j, M0p "V8%;s!)OHaU ZΥ6Q6ݳ/'*"dA"r$'*9#omT<~UYBFU]5x.BJ׺iN~ai&vkc ~RmRFF"m&UP8hp9N*IRzu/0i":Df=ґ[2)ˬAϐ)UUH'='Ӛ.)X '!SH5; w4R'"y%hk `M4cAfY"R^57Q$]š JHz(݀uuYU䊌hVO螗KAI\V1 1`0xnR+.Y17k ~2MM5 =7_J(KƧ QSGc6k3gA]8BS*/;(AUfD[eaXkA$d0A݌y-I$0l|ñJ5%Vpm8$c痛'ʴqU~! wm|YiB.zC/M3{\ZYy 6iI΢M;ChHtΓK^Tn90)SvTh}4&~H~ 22͢ ktԨ?Vkc_3:z0PWe$_Z#:<224J˳rx@yuD7cm1xLݼ- tM )WV8Fp{qDs-[H8=, rߵfe9'{GHw2O6/&Ӣ‰uٳ͞5+ e <愆ՈdkK*: tcu7ȋln n#qMz)A!TOf`cWصΕ"a (jq*A&k)&.Ri~*)[ERK*I3ð> ˻@sࢶh3]m"\1fe$*1٢zUPO`h9NFx1@CZN@FQfE}5=ǖ~=5G_S\ǸgyսQvWXt+)YɃ^d SнXЏHe=LH@4zJ~S3DguA9vj:kOc,@64{w>}SrRɹd}6 xC2#ְd(<e w gCa"PX(Aͽ/n]d5'˟׶֝_ۋ|5h'HvAu?v<3|mʰ G>߱\{SX 6๝~/*oYyvۛ##tgf@2pf|Z۩S5& Wڸb"ejTk b)K|~6 Tixͳ)G6tQb&^*dKXL|]IX 1^l#dW#^G1P2M= [hS^D3:ZkQwF|"qCv74Ni ΟȟN-d@w;uwh\N+V:ϜQ~=ոU ܶ7<6I2͛wp"{=83snC`OlbUX%%Q,AzTѲi[ i %շrĭ7㬳_t6ξ8Gu|wAh`NjS~DʜOgMETMvi]ޕ-kfj!D''qpPO+iyqg̏3$@36fRso< ߿~dė >B#"B\螗o2wVIAP%l."κtyZOOyJy[AM>j0Ĥljgxkv:$E70\{XFtJl%%86 =oGڇWhDb0i>[q@׫/~JiM7M{U |F7q{ ~13l%2N|g=鳎oջ3MZJU4F \W% = >OR?QSP9J+`Ai%3vZ@Pݮ, ޔ~z>JW^A*+w0|2[e.:FVbc /U4ЦHmZ#w*[SG[Y#qɺ[.?1[zɏdSri>}P4L3qќ9ߞ؎Cs<"6^PU F+P5Inߺ28&#Qa ~u\LNv{ʆ*WwAwCJ݆@{1ϗ']kQtH4b%,-uIŖW\ t1i59.f9,m;72{I_ QOSe8=#2é}((O(͈Л}CW>k=}|qCU-dZ(L⳾ϰ O%9TEL*?R\:9)uPџeK9UG7ž(O<+_&X_N-|VF$@c[(O!&6c5fHZM/eՑ( 6Grif,A&.'ds@ƶ>`倭@p1U{_,R#^xGrΝw(`[䘢((- Iw"01M JÿJaS`Gv kqZ3ߍ`z'bB7&20p:H˒.H mLs `n :\>YM'Tɥa sDfrey0 z'2ykwMrLaJ ~Ef{?Chg/Y:Ѥ1.SJEkϾz9f-z}<:4q,7r?"XTx8^~==;c؝5#OownjIKT-]FW˟ĕ yd&{-"*2sגY lww]̜3gO/Hbw}/i_g鈟}aK+@T@DR˰NT H&dn|݋+]\Tۿˇrd5O`kѳyt4ZILL$mm6sMBc1bb]MD)›xLQ,2 5nîp'r {fZ= 1 Q4KBaY!X;͗m'#3 v#smaL*6HpЙT)Wa xA|m/Vɇƪ5=>OAwO9-_WirN†}DUՈC"lմ}ec`k5^W`warQ$Q'[ޫ"~ޤ8WFo/7"mE򨳭gc>'!09EԢWPުm~\ՠ95O#GCg .%Nd:":#&"widS;׈Q/k7S!!"%^7']aMڱfږQ]/;mcg"܎x/H< m5UFTv$trxWrxDٞ#m .a+%m,9Iڎ_*DiCQ:'l-ݰi`~Aڔ161?~\'ERfjuYĔw[0qY *W)Toy| $?by'+OK{`i % q&LTA#*eU $?vlY}33:PPN"L$I3Ϊ|Cr `.N2$LLQR,r^V лf57]oj;Ys>1xCs<3P?lx*)Tp1[Պؕ׫Ul팬aAac21`lCQ,KȰ7L.\ `W4EcKMRo'jz&Q 5Krnb°Ƹ}x?v>=!\= mb8t䄳R=(N7z;M=kr FM%We6{NMUYc[D (&hD)+\{~Q ksSxN7'㵍trY2.|c$W_C Nf1[+fS.`~ x{{xB@p\~tzna߰%HV܌MFCK)܅miZׁ.-K,bQ,F`*a7om]ޥx5` ,X,_)|o|]<]IjMh'qZd'nS^lh>ȄJ5L\B8*/MSSfϠ,=Ը/,Ƕg i T!s;vx kT0fN߲ހr "&EvbH}%axᕑ.xA>ād:\hox)\pB*J8ڀFDaWtls=ko@Oy-XuԺޅx.RMya:6LVl/SJwM%ږǻlN|b8fS;>X>m@Pޙw&נLچX ŏٝF$lɞ- *6%,%æֶ&S6GR'(zэ q{ORց9>d׾[JCp,Zړ{6%⼏{b˵2`ܱ\~2 iRsVeĄ; œنFZ煗{{ywPb8Š R HDGrKL`$yGs,A5G&[G Vj+‡|p| l5J ! md7CBdd @MCpYkʞnzP* 2%zE7 H)8^u5!ONpДy߱!Rvcg\KEz _GrKP3;y Dv5K4pkW7,l81; J|i*юd/ _ج*[39}{v8p},/^].VWޘz!_׏~7q?29{Yɨ00pw]M+Iv^qL8d)3'mM5ܻqd,X=wKccA=mɉ3ٶg"7ybuk{kzإ*D>/>IAն/:CG;@ƾKf3igʫU^ߦ^5ʫ^Q 4n& SEn U)n>Piܘt?g:#l/=vS ,[\D{,WH풷@w[^N y9;4]¿atCQ`?NVfPwMsNJa Dr2>,7@ ]UdKrGϤ'UN$q{WO\R ꛕHx5 ~/ܡv)z"&Oe,C ހ\EVN|r8n0"8M\Uy؎iUrd~\Pv|bJ25H$V,<.ZD-F x9Zm,8xpv0Iĝ)//sz7"pbO|il5KKKl!ƾ;#q819EL"&{N |}"(_r9NP4s/zdY.ЍdUTݵ1y.+NlYvY#02\5$Cu&ƹ8&~ ˽6tLLl"jUUXU-DŽʞdJ^'=ߎJVej{AJ)_<TŇn:Av3 *K-7~1B~ܯ t[o.JjTx/Frv TE`NƫU'UX]xEۂgV;b̃B#WyE_O>诗V[U :4|~ն^bY_fqf(yxʳsS?wjeMC` 577YY"swlֵ^4sKBv? v])].{ГXC0yF xɌuV6<@ثE0?/%e:+#je3X%j]ۢOv[ pF/a(YƪWHj-Lh"c %.k=ZWw0'f.sURƳ j-5| ,Suƀ7Փa=͖j_PGhs'ȯ',_}ed6zSkZ P!븉[Ousb[67Ьژju]#zrQauD0QMPh sxgSNt}C6 ?T"vYWے`Ai{a4k0Ϻʗ^" 8ETm-jf7¬ڇC.wefې$lX) cR[(oX5xuL@f jXUQ'Ie0LSVCBMu)jR㗫h~ $gs^fo` Nl@3s:~WC5)pSلq6${̭[XSkYS2p1Δիs[]^ґ׈mipԷfƂ?%Ġ%B)KX&rc9J5d/bKn^ugI7 tkpRb/摷N8ƝG? Ć$!3@°eyVݪ\F6(aT@9pJJyQ?ӈ ?k_4j9S5)'`S,PB@OYQhR S]hiK%Ȓ@ɧj 蕬k"8ͭ7셆78=D?Hfg ]D^\[autunZ\k9_R83lPAGM`|:(m_doMi 8ݪI䦉"Yi4 +A t8 %BD(\f}nMjkHe& [+ܦ̑T_ij DZ%Af!\<7p m+tvq1;'.M 3nl- 5AfR4ecyGG~@sbt4-O|oȘE_L'ρE,63q䫪GVAf:jdC{d.*kmʲ*+}j hO:爼ۻevfF ѭq@a'&*[YoMQic[4 u@ Yu*po-ƬhR"]ݘEBC9x;إw(#0 ` 4T(ʅ*Wϫ[g ,-![="ݔ`KMRj[3^l*t z_o8? |MBhБ$^'ٖai<'}}^~$+6;MކZHt 3j4Ma@Sp0e@uz㵘H<uwR̵X¤5yIk}uGNզl!O|0X#3'Y5V-.Mw>l%A3DmŻYe;1tZ~i'88 Î*)`ppQ_d49) QY"׍ =ڏWWؿaS@]2 *[d%:@p?v9EihyZx`XP~\p O"' -9ES4[KJ ];j릡c<cx}E `t/x}\f簾*dE݊|;RP`3ywt& ݰ-})=Л}f]2 cq":前Cw *;EmK՘Xd~|ݭRmâЛOmRY]VwĪjN ͠Ϸo{UX僣,E6ѪUuq& V{.8CJz8x.1>ފV Ǫʗx#NbF2 0:/owRcUWVspl?}ͺ QB(m3Haā lR!g茎 lէr#zo#Rc0ZRJgwO1X=d, L\PHZF7|M.{Wt~8ŰmX7]dCƨޯ~E3| *Vb~8esy@Y.{Лm1ԂA7AlizuMaWWx8wzqΪ1 ʠFNI<1M:,ih6qo۞ g2CHmН<Ύp'~ x~k~BFʶ;cvDNA!&Z-0^]DZ}C ~BbB!z8A7Pӄ]ur'7sFY?y$ I@}Nć;a;6zKa4a2r,K"nλS;j1czo~9Ó5{ΝXD-X=3^;2PM:lT$#F9^1j![#+S :/r\")6>G™t^#f-'b - C=Σ*w<%?M} y7`!l = 80A^S#f E$KFYtn{ h Àw]$FUTޅI?IJFhk^Y `,RKSc"lnw>Y Bmx ؠmv9xuߘ re%Ws%r:/'i'Aiw@94'+?U7R%gўC`*n/yU&:.q-2L8[FSz(弒i]g =>; |(p 9S9ָ7GA7TTOvŴڇL,Vc{53"C|R{.TpVaхoIܣ<eKA<=:.n3_ [$ eߚ|`@r$} 'R^.}ڴ+sݨnf]d8WL됎 4!Fb'^ 9`VRdTtJBB Jp&äiIQRm*^J-IAu=9Kp,Dվl^6Pe'/h eЕzn XROa=(6S~Iu72KR"Mhys} "mM &.NZ\&aBIHS˾ꑧ}##iznrJJ!j걢}*Z:?VTy܇OX}0X X X Kw%L/+a}+a}ZBo~~0&&&&jb..X`yHmB>djdȜc̿eӾ:g}u2u2OC̗ hHjN!chWEC5d -x7`oK,2k&|l"B ץ71\< Flk>a =,593`-ymԧU: K6lɇ%6Tv^Y3z5|W<,az^6ߐu}zAYSC-X;`w>ݟOߋbܻJ=ڝ݅w?vz;E݋9&_ Ͼʎ-&QsĭFlLOQ) yb 讪Gեc߮j4u*(*O2R}-WzYCʣdB ɗa"WDl#0RYƟ_(K݌+?u D[ :/=FTiډ"_Q屢.YcP.gq3[)s a98~lx#ty:$8&r-\JX)Hq;?1\EC*2^G|gc>x1n[Es~/)u+g儓]#åNMwR߀崏nbX؞U/ѹ2{C0n0v5OU30#:l#@/ȞG*WѩU:̻ˬ5p HN?N#oƽIt> Gv{2/wN*Wj*A_\VأϢ8rC]*(([kGѩ;/_v 2Xkv1nA/C} `I-)-Hr`0*-vVj9]Bh := s'N>@0{?zrMaE%fa f-1Y@ *FE+s#Xэؓ |94h(Uʗ| y!oSs15*whE{{P)pg),9A1x{G1w9?\dA,8=$.υWh VvgЮMR qVZ0ZZ&[IwwtmK~L]N\wt4@.㟄o/G8e: ŰF^4wVM9n,RƋN䖺ѝ$֞y?ӡ?0N=j7x 4[zbZ׊ăd*cA'MUŒld!d(EE襡]:'qMPJ 4PGs(V||a|8z8jLS..K]0n3h{F";ϣEQju-J[5YBDӠǠhR˯]PK V7 vĵtU\M)\``zP#JV@ti968as ob<n_(P D~O z J=pa Z$mck=(xc ]-lc~?9ŵqkѓJ[͸ud¤5I=" JG3`'x-4c< 'ڧGNi>9w6DQ@|bBؽ,8}]/]p[-XIm Aq6M=@"z#MNp/dD2@d{y`9I'+2ӫYDC\s&)#)9}Ag>]``cУ>Az?b˳hAfZ_r_$U;aЍۉcvn@dxKAa!DDS#07ў ) 2!6mlYP>Uu(L"~350i僳sU`B f^Hj卻s[(t@Zt$+\E\.Ù(M,9`C MTFô()lF. M Wv69~ۻ.=S1c&cs-'/ \ v\NVEvoL<#ᇻ1w]Qgw/ Bk0CdDSQ-%0>-{:Y/0^D !HɏZ;u =sP0jt̳ x,/"}Nu} zu#A>ЧFOި`D>.Yϕ;k[]gX ESr).Zqi$TNɥܾ,uyFiZ]mo֒k'srOZIGnɭ PkL4=1IdɲPT5^@)WJ;衚${0H %5uNЈrbTל>e670(]+A|Zo ]*j֣\ρ yD{;dP5dašHc*7P[’# ݁ q< sT<Ԛ&%nf`81a(?B6Q-aZnEA^a̹ |rg[ u LZ _;;0MQd*Vrv4^M͵HNx2':~UO/nen5?dV:Pݵ #fqE@O(5xl^ р+<ҍZOy;aYs"6#ɪ)SNˆȶ1t s`H^r:?w`yRM"i'mGFћD]r/ǣ|iX]޶+f/mk+t~V EFOA!nHZa:ms0j%G ]jࣈc8<$6ttcѷIG0lcz/jb+IjZ Pj ' H!PwP@Sl%U bͱ4vt/>C%]-p| ]iT]s%j ט *M/48&K/+DVZMFhaDȥ#Tfb:D/-zU\>vr+J(vuÙk ' `X.xdAEj;_$gj=B[[(=Hh/;򏿅E#c!2Z^ g&n fwǙәEhQudL]h+S-^] m P`ُoKǔq l?X6'EqzD:^`!/ iRȷKҊkQLn{WHH.O6h)̘\tkPg0?<,<` oxxTx_L)[=_Xѱ;~ڍbљǽFeΝ(#%Jx+Ŕ;5Q!m*NS' [gΝq "qJ2I{C#h[B#z }p-)I?YMf48TaOJ4 G~N_Tw5BpzkwY%y&Ľ uBp#hhGjN, Wl(BlWx,cdU33!зr&T21S ^agC4 e`)}򹟨8fSޑ dm)"|q.ȖN/][O80K~ ~ZΏ; HZC^i-}"{h+W$|~O>v[[T8 QAͻZ4D i4laKxEʖ]bl@t``NIzKQsbyt~4UƜr+q8;ocaml-doc-4.05/ocaml.info/ocaml.info.body-27.gz0000644000175000017500000000173613131636470020047 0ustar mehdimehdi8=gYocaml.info.body-27YK0>/u!$nUJmWdql8oNH t'x -e^4W|R- C< Y#r@?d BKh6 a|6b>Hᤆ0J”"LSJ lw!ŶvK)-Λ65WF&"K"YYzXK#$kg>DxV>ΰ9z Ϙ`i`]^ X@}\q'k =G0(dIMu钂tކwIyIR6Hr|ʄAіwjaTRN3z?OO`֩ DJ0(2Yd&V4I'N]ݷ=RNCD*~LT:Q8Ѽy6$ QvCvs y؍Zر簪`:Mt!p↱M\Ц;S , aHQKmou;!~Tq^1t^wt,n4fT_27lTrU,!5En,W!(5c۰r\EB" x@e??:Ssb@)˽G);*_zUV1wyVR^V ؑ.$7= KS|Ń*֊VF.^jFlz=u8M*rY$cf"ߛ2kU ZQ+0U,/CxHXd6߭;[y-ȞWC]lM$޴QCn0qzf,mʷ=[c>t[UӒʵSk&njwO ˔Bt#ocaml-doc-4.05/ocaml.info/ocaml.info.body-21.gz0000644000175000017500000004233713131636470020043 0ustar mehdimehdi8=gYocaml.info.body-21}is֕x~en;6;q۱cWy{nM $/%A8wMd^͸{ٗ:YfI:S$Mu6f,r|h̶ɗ|OrIV,Qm2&+?}kʼ lOZOuc* Ig$\l`wߔ:N$?&lVUfr #Bbet%U6[zk]. Lf{op:}=JIO$-Wo>k}~;66)|,{*f=/`4ergu.&+nZkzOgx8E2/M͇E0Xpz3+'ߥŭ߿[>}$[T~B#f6<%糋I^?Ddi+H + \Mge''Y仧MZ,^`vLm5EkI糃v̊T\}iGM{<¡Yc^՚cSGM\=2lŸb?%WNrM:wq*Ǭ[70G,kC׵tԾUp7M\'4$GL=4@N'􍱦妘7e qR>)>SX"*Τ陔yHiK-+Lw0r&X721☛uZ+7 {靎/}wܺwTm&x+t-պQzoQĎW4 3pG<Óă:+nsӔE&@tcY궋?0N5i'/!{{a0/WkOj=K߳ؑIO,_Y1eYd`13K`;fcn5CAiȊ4?]hӸUVȌlޑZ7SdwJLr󻲬#Ɠm:I*;P Ґvp:}SR'c@u)R"h#,NR<,}?-<NIUO Kz8+,2U( }s("ф{F{qғ͊Bd8neǹ)N-i*# 8@ax&TM`lB2Rw:೟#),@Nj_pPUQ.olȽv_ME;do\b;Ao.v۴tLrn꺬Ĩ[S<EGTiñFi3| r@a d M2d 0U _~|/?sO-0ΛƓ:]\KiWi.YA}p$y bCZL̓a(&6MLN2ˇϒY6< K29@L7̿7.-T$[:]@B z ȿ{ў*!~j!}&qak 9rԱ ѢnE燽W%1≷ @Hz %Z(EAX4A,ExY]@\b=S ]$~\yqV ?F,M -C4`" `E$GĤ t3)-aY5@M:c?J Y*'W}Sў-o 8[woL<`syyOI3L [kO]V`fxaowuzʴ*D.[67Yf9GH5/|~ϐ&'d6cc%+/h ʃ Ly=S{=;v3I#:[ ќ-S(&fڔko3{ =.\e1V# xħR"Ġ?d :$KA/SlQpސ0dhP眙[ d6.Fe__ߚ|iobO`7OtV<8h))[xRn#,$Uɬ+ߛƨ6OT5>"4rݘX;nMmށˆʴvGl;)Wߢ 5P]o 4>\~zMw$`QdL.7g O b sIe5엌q\)}$| Jx6Y}]&y2;k#q2͈kAR0b+>֙NW(4(cQSl2vWIAAm_=A 1>\.m.wɇ:wwhA.{T.Lc(4w>-uëx+ Rπg;ӁrW.jU/WԪ&jl! )H&[nY&Cш2_6>K̓oԫ'غ*ot|\ 9yyBTG0y,Ň5gR?fMJMJ S +C05 v4wZ ,~_jC wj4+,I'oc$*Q`q?-19m}>z[}[= Ibd@_ՖF%&ۯκMsVjVQpN|&tT9ߙbA6E/:UjְRCVN|!p9Č#*wU9\.V.TCrJX|3C&-F!< 5(Xy =RLITžoA]];of]|mpVa+9x/#  ;ـG.N;9anW¼IBo73 1 3=K_@pli/Q&)EcO8 ~OMƑW fJDb84딨#(bC aAQ+We,8P$|TUY"j HH >-$[eD& hB8Es3 $QZg dU𻅙mnof#pY bX@C,h]nѰwiJDzS7˔PGCDfe.ߣ8b;:+YlbI lHQXM ȯ/^`1AB,{Z2F`ڤ)fy)N?R^vIJ{R*t+pA7`*2XT{w T_BP`mӷǮgύvz8NK A;$D+)YG! |,Ix$)`CH9D"6b6*&|d"3d:^~##j[p265IX-/9 tmPBogC M*S y< I:C>YLjr->* ZcG~F̼ i_ơܵLh-D%hT@yLj6lb4h( zaf}l>{?_ja>lp'A ξNb؅FO.r0 [lJTWu4NMQa:#<]$[5 C!dw s},'OB ZNH_R<-vN9I>w[L4q9Wv[h@6˴+ԛ y4-(R  ̐3e* rveojTjFzz_Q Ў"_PAf5d˭Ñ{1#)f0OBa)hwuz:eJq6~O9s&-0~ꡈ߰@r ZH%E 82⟭wzM8{_J=rl2>69&P$>YVd $P8_c Y$3yp* [ nyZ3_pOMNuFh&"L_J$EzQ;֟ş Un=l ;7u^6!rRaPsGw4M;_ G^Pd]b/ΰzFmeb("tGWIWdFZ"+Ò_K4(1 p=%m 2[7QPl3ΜJC[heZ$C ]A;̷f?"Ǒ~N&̍$? b ~4n"xɘXNɯVuI]Z!J`D͂j֌0 Lx'显e#X*yW4a&F>BPkxF2P6ZZe:[w D9NV G>;@s3|']S`;,hk?9݉j6r||D6qQ0M.aX"zmċQԂ~lSdMAw{)(+ʵտ}2ZPLR{tl2fEvFm$\SNhdo=IB4۱J6;wI`]ֿݕ;vl]ݞ(u&["V͙Ae~0U[TE:\`xwmf@_,IJ.qeXb FԓwǏcz%ƚCbF:Ve`ԊGx#u$+V3=#˄h~mSpngQS=8ڎӓ /tf@Jx ]tԍ(00(VTTq:bKv*7ܣC/ш+HZeXIj$L YYj!Ey1!x q=PK;9MȍdڭLwٲ{㻯"Ņ +CdR8YV:yh%pe4HR2h]~v _6߁zvhfoq4NBО-&P(2Cmu2T 1(\c4^}d^? 3wR/i O? R?X."oG ~XaYlwuj,p`þۊprV$۰n%n> ].JxkkMw \?x (39KZUXvvYh^a*?oGzgQ܎rr/e5п`W0p'T;y}mH oE@n;tIUN۫d2|+?w%T@`+Mǎ|" ÞبHޜNL0J71H$`Xz*eᵺQ$;3 FjJD &4)ʖ'Q#D29t>:C';K~гunNl6+ ' )U(ΙHxР! )\) I9R"-ث;p31 S2_?_j7z3JQ5۸P8)n:28_% 虹/d2~6WPl,jBy`=GͿY_>?GS)y leD+o3eͯ. X|s›o(MŸ l-.Y[1,CrIRI#*m7& G*2Njz?02_@EA r|> 8%'Ck-8.:̃/\{Z<5Cnr) WsFyO{oZS*EΊ;Nf;$~*nh$͎H~?@Ou-8?O‹28 y 9"XXsW??΁tߑ k ƈ K_X==U&HRGS҂5ц߆. *R>龜r-8LEn SJU/ZE<ȯ}i\:l|r'.m-vTk^S&gCc;}YPubzp>Ӻx;4;Om*+hVcg J^Åi2K9k _#.H-tUe׎l e&VKG,x"AP2@<> LԚ5!<[R \̯+C}bB%N8R89{$-X̙LHTi[UAQ=ibDTw?up+v Z#?0b'[+_,141d^7Қ 1sf)Ʊ⒵JڕlwaZ0lȜB/ە/mҺw *rS_u+VqK#a&mNdH(זeKsj4&?{Q`qH5`\'U4h)Su=g\R<&xQV3g gTWjNROԢNɜ$, durs"9.ի`b(<8 ]YHƈ:  ^78"V ү Og2Z.{}q}3.;vtV5!RQ_T]WoG\ g9npܺ}{v){͙ >7uof|!{qg'#G>·J}z{v ^zEn\)!elEpO|'FrlГu r/Aw!{Nwjfjw?뿾1\o :5Pf,_< (İᗌ9ͮs7]ctia ,a ɻm򹻦~nVm s -PN|w9Ӏ^]hG@kaB#H~6lŗDK= l$bdMYT>$MK6 n B!T`Y OjsE5h6p4~: ~=\:@u٤/絅nJziK;~U5b\[$_sH;i5@$_5m3 A/rfp}۹RexSR_e+shv%=ͮzEk'f(YT6 ' B>vȫ]Q 6l|eO8qHGI Ҟ8"ml3/v&CMJ/7N9kLp BmYr)ԓAA-K1C.sl4R7s}%Euv~0o4NaܕTaK d\it}~E*5TW5`TՒqFmem x#IC[V;a7O/u=A X: %T%?mIa ?&Zwڇs},fBi5 fK3dө l% <[/hSl>@ nn#UԴk];w#O=SwA/YXݘPv_촻?wYwkS4 {{?G}z(7|pIJ vx8k;Ut,2BUa$vI[Tb3Xz|@|x?=Hd`k~xmjdp#٭T>mõЧ]Z.-W }WecM+,ͼUM~,C/%"D>փ9ֹFL )vT Sc>&ܵYdl/ d#*LTSZ>B.9_KpPxaCPno<ԓQ7_r]he`&@Guz3L_wl4NM <#yZPEIت7@O]PTָÕ*_Oc Q4 t޲ě.Kh«x:4>fag{:kQ2I+9/I-wBN.A6I I`c]?t3ыɀb8iIug!2+kYDDpHV~q1Y Bv.nKi1,& Œ2n;bt=Rkdi,B15-$KyUX|'`G4O\&+"!|[&tufj]S:a ڇ7d҇tcɳ5IyUtyfMD z>޾rUhT+r!<9=I[/=z? E$/ WRjؔphQ"zb-\Zd.x?N73yyלv,w$*gA7ZbgK%ng<ȳի[V<]/j/ƀF:߄B\IVڮ~ȋ^HKRPWxHZL+>Aֺ+ .\>]!UEˮ߯[Q{ҹ7F"Ƹ*+tIM: Wn5"HpuS.᮳tY:zx֍fD`Id54^kӦJ"գ;GRYy"/(:=5k] (~OMJjVtΐO { XV% 4zB,+)A%irsq*E*J1@\ꅾ6,"cG5b*2qK^`7D&Ȥ^,eiXDǫ`B;ܕ&ɈH;Y#S/c3;rfHv), q~)PW )823bt奣!/=c+Zg$?5UqϢbG!qh@n\<y&v>I?Q:ug¥=jGp`vſ$ FhHٝKx'Y{a[J ?~wqY+M!?1}p_KM1ۈlqf$șv:]ʐIJzUD&C.fa7议j2.\Iq&\mW` &Y# ԻֶV_~^,n%]vRe_qqD<\ֶ PVP7Zڕ=p6|\̧NXbcuw>qgF ڹCu->WW<&J]3ýAʕ_U}T٧}JlM{3ʡƶbR~sTA¼VV؈A_uܔ=g,FΌ5|ޟEmMԉ׶r+Ӈdr\;P2qAIp `{iD>cl.MhVxnw2# ~k DDpQ"'')!|ofZ"wA'>$mVՈ] \U$ k; #~N2Ji -ӎXU4lթࡡ,N܌O19Oɜo8Trܗ^%n۹vG̈ 7KIF~yBK]{*GΥ8ipoS nЖ^z-ax].6Q9I7)%z"f\`_g¥/d f=zOڂˣTS%XcPhs%܁BYԑQjtO^$WOOjgOӼe^ZZSQv) )rʯ>܃'`ʥɃmLO*dWcKRr@={iYCZgig m@I'%HIOZR\h`ޱQ;#($˩&A۲rǂtbjEH:r/$a:dwHQ`sP]XGVB+SY<;[$kd3k` ~aUnjY1EnU/2BW{lj=xKώ-;V.`ݑ0A oJkTo߻cFuƣzab,uKsnkl͊`ϯ$b^Yi;'q:^~NsgS O4j ~cK7bira7ɟ#uk8[oHm+sfw*WbY&UplJ1L)Rx45Ij~me2Q2sQjF{D VށUY9 Tx) c\F9KdZ!njEsE~7jbƹyp MXscyE,dY-Jdê:ΥFVK&f‘Aq$ЕōaU T+=gC:p{ί 刚I=S]g}قƶIϱaPE=/@S$-;G7p6,UGUdW(n(A25:{v4MY-V8B}U*P m}Upkl|{Ol:ϯ'APy9mL,5}⨅kEam\>G;gg* ƳGxʅJ(.vZI?(4v29apttl$;4`-Y}Ņ(^O_[U_s?}A a*F_S쌛|%i)+X ;*?De/hd"iEl68==½zL{RZSkcYZgI}洭j,UDwʡߒNK]6s;Z$pjKc{t38‹rz+O~'04 F[J7þEuX1t^lhMm-@JsZ@L%'2A %xֈ(Su Bt/fcufiLdۓ6z~MG{ˁL}I*8~>$~k cdw҇v7,Ntf+c!'APQR˫PR}=[<NrG?|yy9^؎GA %F1P<آ|O^)^(WZB]XN.ӛc[ ʲ ڒF5B OL%*V&N/cߜ* <#E⊮Xx |l0\h?vvS[siMYRdD4|.: QYҗA6Xb!mLv,6k=@ f[S4IkPJ̜jSiHO-UIBZq|HKq]nG_?`]-Wt$WRךT 1"W Wt>~'˙}IsNAHtl< gb:2j Dd"߼1z<\UT=OfXʩ츣rLmFjϹ&MXpQ͢Lq֡7 ^qx͓YC-6̷TK@X8{.{nۅ+ƃ,ƠVbڗp䓀IPE?;WHv.:7`SEJ P:摲G>v. >7'*W +OZje9'e6Lb'W@c[Vmq\Lآ.%),Z5~_Iִroq xNAWRCt)c}pjwQyY<l H±:,΋?֘ .s(73r~ ǰϒO|1CC>w1>  z%a$plhP<[^`wj@|υfj4> 5]jMXI׻ ?Fʳ$Ȋt/N'!y=q[Mc1`e7yUۢ60;;B" Wz5 v_bw\HK+)n`lk&Ki&Gyu3C԰CKczg4q0t>mv}xE,9I:ɪt H+ury5Լ-s7j-9@5d5nI,Dlµ;eoz6g[9i'9$'C8I^4uQZ)7 定gv $ RCƬ2)+`̝0ፉ"SlO2믭xe9ݬnq޼,Zy\@0"4Uykaw70 `LJK>3}6 w|BRf%)Œ6]獹e)_Z[Yu աV7Ik> ٟE}6,[ l­>>Aw<<6[ud_Wiqr`Ha7 wL5ɚ0c!c䎿uSwn =da;Ȗn$ 怊uGpe--qGƼ,1qWN>`n"*cL0/Ɓ)f$`I^,|IƚoU^oMjk;ηE{yw6 g @2"X^*,zB%r7;'H HoY:_9R0, yQ[@-,*| N*!%1=[ zU<:pdXYxd א:ZZ؟vXk+/i5&AG$4F!B??.E531<"Ф>OAʆJExЄaDs69ήkkWI N#8ate9Zz+ۿB}U0l*qŽCI7LhaLے!?^p HKزkHM8BXܔsfWuBh8|ڏ9KQ+*Ep-`bKݓ o{|X~3-w`y+t;؂gA0%/'ȵ?9Z )f6љ )<eM,#E+ ˂1w16$CUP 4Mz'B*VPwu]*\`,pEm"~PDW-DI| s+]V>Ys{)wA[CGtdq8vz!|`WDGv y!COSJ!Gqaa v6 *I1^љ+$ $yԤ5f4kXl =D6OtP}N-R%o7 sKkMJ Hˠ™or9 @g)e"' YzAǶh)Mՙ4pD|S~s8w?-KN6ߟ-;'IÆdhiR:nslQaCJz _oXڔŝ?jGt2 ŭA :k o7_7߁|~NHE>wp7CT:H;< c.;?~6 i58i'D0j+ V&.­ T|'9Z[6{sOQ:&{qF{`7h#b+nޞOGUOk pIRw{k},Ie-jjuX^ g!q.LId@F>ڸf" Iɑ JÚ!M{~>=?$?Iհme_F[Y (V:oȚnA#~QNwBb'zQ 0$4C@k$py}-هmҽĵD $d$5ZvAU ޏGdVղ!"-< 1Sc~Z&s  mG2 =Ύ?&Ԩemz&-(xEIZu&:\ |R[@2E]ƻ&=F#@_ oṘ`*}Ounbb"(Vyզ|27:p7zCnJ4, y#>:;_blUkJC0{E6p^;S,jeA8b9ĖDKT@_-@vjZXx?>3DEu&0-Al tNHCCYg*%i4I% rlS+dW'~o;;cڔENYduFBS9 &+A@?(I97Ut]9tVްW's!ԪjN3BCuļ둰GIJKӉ0(ޱO ψʎnW|E `Kn˞"/Ӓ" <6R0.Mv Wܸ۔nQ0^yM>ϴ5No7$.c`ůG'?hP 8,К#;(utx2Z臸\Џhutzj6 ߖvNEPBX:&ȫ3j>Xnԋ[&>˶D!QGuaЈV&~>%8D2:ב{`c/a p|x+u27oN^E6p 7=d*/t@_ɮ \%L* )%P+\ݐ!cJ:+[K뺜'/Rч~M:J4G.l!A]v}H =B-OɈȫzrFZgu]q27⃽gQ1)$ޞRm£NJJ όx`ȴ6m{L47blt6cZp;Ʒg^WYJ E֚u6%2X0gSЀ"kQDݴFMC9C3}$QJ,qw6zw3|B.evN>N>Nc }wnL;ЩI.}oy&r78HRl9EΛX+"6dkǾ5A '%AF q(%x\gT h#pQ(jn+8wxTдh(Ԛ6<{S:IR풩C KC,nz819?uY\t֙n'ɿ|}0N`1}/C6>`-q9ᡴ%%B@1h1Dbʩ10*V_w :,KSyQŲD&tUr5 HsR;ـ~ P'-$J\lԤ b}Y]OC oK-߾/) Sͳ$w7wbn J޴-*L*? 9vT cϕA[έgY 8Dq ,dLewOt>iuA@Qi>]]4Rwt) !QdLGB0>mzZ{Zd7z32E+:F#.cEv.N Z1!Y3OXeyA‰HsR!|5(|' dG*ˌ~}Q s(jK4c!8>-N,$+`ֻK{CyG:ymӈ^6t 'v5+dwuϳc蕃: „`mR4aQ@iDf4lx;d\-E*Ƽ!A;d`ķ[ر䀵q#*~Y11D뫷{NjoA_,b!MӋ}g.֎he8 c+Ù>l5nH?i/n@ѫ”n$҂p]Ԩ*s\\iBԼMAl $+ g37ytȇu6dž |.16:lx^eHtW%#7y@QbvتYdOeԾ+7~@2\תVkC&-q-D+07Qݕ2.@H\ WI׸X xW~@.g؂7?QIUg&F=LѮHo@9^LVU%𣟋5rCZr -ߙ8M "8g"%tXō7(=#Gp[ӂ?ɶGϡ:P . ֡tr^tʴbG* ڝKtؐ~"{G 6uqA[Uífj^떽;V;cP8ؒM,VVs4I4V($8{J E:i1&Z =H=1܇9C6\c+C4fn<EI ¸REFQ#<xJRK(聍#C[zH'"xyMz曒( ~I{l߀>'1:<6IgJF㗼XP0b_R; ;7cEؚIX~Nut5 yMd7"!ā39cH\S3ėAGە\z/ 2EZT@h_CzȍL!+QH3C`)?ھ+;]'3ҶOj<#ת@'s:}ZJM5Ѥ7 Q&B{ZRuB oo6nZ&FؤT9RDUzөC2:{UM95\@tp ~kgbhǓу_,\·@p 48.i^O*\\yZ@Tw|F9Ŗsd0bP9, _3"bJU5(ow[;X jH1ڐ?Z\~tT7 C10{TE> 1"`DD⊥@Cb/zU~`rd@ #p,>AnI)Ti$Q߰8(ɰT n&TO@GP)pC@7JAOE7`VV9l &C!.!1鬿OgUH# 2}@D̽(< $Nvo Y\i'WJO Dd7iZ.o,ޫҗa9sP,:g1\69:8"G2 ЀlEA^Q\Ө)ۈ C:=;- E Y J\ړiTה%/ FSQŔ }6ڶn0mIbJB i2SJA%֫[YRC*;Q!95@z.bV]a\UGZRʐfI%Pj9S, g:[Li8TK: ]WnXC%9R--079?iI5H&b[qSA$fzpE{Wy{X;+b]B5C pLe<2};,sf|n;>,F"1 ʣUSb,J9F t6-Q*:[iw|:7$a}CQb? &JIFW0d% !}7H:  j+F BfA[[^o&W"͋fxb\/Jag[ zMG46Ng@(ƂڥG $XA?U^WşcٕFR!4Ń0HtG.p$(sݮONm *`ݘŨC^ (0WY,+Z\j ԻߴLu[[Q^g.ar+޺9ohiM$?ӐH'6N.9!W;QsQEy޹7bt+DL࿤k4.Y_ B(Njg'E@9̛%WOR(UH!È2Ge4NM=w6SL?G)̍O7DIӦιcG=hEhԢ]VE;U.gKӝYf [΋ysۧwnr5BOd u?HP ¤g Q RNJC> 9KA#Co&wTqM%. P#y bhY>0? GSk*" ,5 htˆ7S7}t(Hqڂ] ^IXv(,3sĿ}u.s `-Zh"­ҭ+zE[d </lz2T' 66mM`I0V*gju)czo)| v[?@bO^p˚n%iHUTh9ˋZ5o|(iΕP"}E\$ ܯ MFya(Vyp#)OKP _ݻU]+Ɣ¥rޖW9}(52L2It mhj5hpto+HQJVqe`@#ޱY3wT@YSɪY߁ I;tROMLr eHǼZstщrmCej}[[{K}:|vs7IL?] [I+}B+m8N7`@ԧ Rb0~] @%zg@KlG:V)8{Pxxѹͳyv(} )n )sCq\9'~zGuEUp-Yt APIiM^;T,`]A_~h.\]JCaed YM4 [8T:k(X߳Io/ J-'/d'v@iU^cUZQ!؛ BLm?MӤsn2(WħKO5c%I2րjbZ}<]$7OɁH.'LJA"n0\5t8my`tᠨi"c8\Y D氜^JٝcmuAm:Ik2Wݜ622@ (\Aw#kjՍfŋHlfj,J@8`^&c.",w=3 Ъ~ZM.Ui iޔBIݢmXA3ၙ3 8<>(uc:1J ^\{kvi_+kjw VF60z=S k:'(km@crk:֗xu }FF3!i>uLU]4U| Vi2sltT\m_vtkN@t@&*!-Ox-c_z#gw>= `p;xv%:_C6!m,ty5QׯCl$J<c''ki@jl hU^lMYM\S~Ҷz 5h5"0ZpF7X1 -'O"QbSbֹ&VJ<Mqڏ&eɐ'A(Ox\SZ8SE$C)Kw0:φx^x[m7 m)SVbGE'S}J䮥ʚwmPpMQ#㱆H It%&\NQZ & '4Z5?} !";GdgV?[{.5  (@J.MБ|nYՔ\Mt? {(Io,軰eZ_`T*K|SR`dahZql)7+O\ KE 4Bwp!6W€V^P|uge4dWzf#nKtGg#PxdBS-0ѿ6۲)_>uy?auXѓ^Nm zG>>{u~DbKN[mܝ X}շ9IkN`nCu܄_L$"uǀEWJ /Zm3l>ZL_ ^/|O@}*&iG@y6 %]x~K|iܽ X_3zRa/Nyj;7,V ` ;A;A{EAen؎}oߒJdFz{ʫuvQh뀂뵳yW~ا)= 85@^/QV@þ@LVR*]z3B|'5ǭ`qg1jav:?OUP`=zo$2ە,J{VnRڍ""\"#O^Z)~-KB./kHΚ+nz%MGu_N?N]3 w +l'.}#̈́ 9*HP.Jq~TwY}B;]"Pr Gv⇒6"KqW2~4ƣ,/$|b<Q@4,`6%SbZXEeS`gK % 𥕉uF _[E9Ғ#\`1\64_2F;IH13~8r؏/"mz?vC-ʋ#g_aKꇊ2U+Yr5$0o;)Q}@PQ㠕@t{ڱ6HMfIW|MaB{P` ЭЙCs= I@q}m4x!:H Qz33BM/`a0b uaE0GU1EpD aO8x FԹhh3EHd%x (+Pe8A*R/9'_|uzGݑf?r 9tzzO:H;vw;0:.L0Ձ껉/4a\. UǸD\ snW]rW(jѹKP=!zSP<QX}6X;43!nG!<˽۞Mmu(-Rѷ#]11E&K{  iG{;AF!FW'!qT)y'fI&"7 d$'(%߫w5f4jnYأE)ػb }uA^auG`y  .ܒ%6U} MZo6[Ltǃ%ڦ4I£c W-U 8S*2rNT@jA9+OR˼@b ".RHhJt@ vi \Q$ި8`J+1X؉{%Q"U9Y3F2}Sq"xNCpEv*[w,'U(,;ha8Vt [,HJntq?{vfݫݩ-&7D|ǵ&`&P#{vhtvsmrj}&iu(VS1,H(yFZTE,xϸՏ[<" {2gT: T1P(-  ٜ] $9Յu@݉c ^H`d9#DL$: f;}q7A=C{;ꪙfN̳ 72F䮶~;~ꉏ͛`P'MJ@-@ՙX(>_r{~u+XDq [&`7@8 @uM9q@ ".Iof8 .F#Zc]bXV\8~~첥Ⱦ ,8=-lwT)Sj>U;7`E pzx+f;~qFǫr,Ri 0$,d:m[Hsa(G JTRZ\iA*-1H$Oj? K2Hbu'ě=‚3n:8%M,F䱭yUDQNE9v@ !X4mQ$bK=dTrr=RqpRKZgZR V$IZѤ~*_>yUS(|/d!G^T^&pnY:i)r\Z 5&Rt!aktZuSwmknߖ<CoX׾WW-_`/ۧ:uj]7U)OlQM[/,SBX+\I 0 @T~2%qD5ɜF]6ͦ,ps%'dc\¯!wwE<U$4Umo|OV]~Ѱd*Fa2D؟mpšF|`mz. 7_>kG9pRlqYT44za0V՗eHe~*˵j UE,?𕭜$#QQ2trlsx+8xҦ 穲] mUGGY_WmSo˺[8W:bҙ]^4Y[\_3"lMD.cK@[^[ L875U~~>sp^^5q1fJi]~s?`ȧ!\6ݕ }jṲfț2`f#g@Dr ؿz#xn:VDM1Py$,˫W6pF!#ڇ7o"3}ǭ1o=5Θ>3JBp";BpDŽ,u pI&խrs;E —޼ə )=x&o̦-w%NtD<ۮ䱘'i0Yx,˪U"3*=U"ógf݆G)&;Ȏ(9 u-3I#x&bRs'ϫu}.ڪtSS0>U^- k?޲YnG֦/n((K<$$QaIlwDUzj3:AMj\6E$yX̣,K^̷5TtEauuB3  vw4#vA koWa1f 1P70b*)Q5Aq(Y  ^)rxz&{:;.QrwhF 1N4 N;tfxxfP;/FQ8 F~~:S4 N((6:`jsY4B 4XX؀5|njmm2#ē~#eK,փdĺ+S'E0@[!}# HGJj:Z0#[?fsmu~Ls҃G?|B>aS6 uv@59a3:|U۷w,2c`SU+xYN=A0 S/BFawM2asxݕO8}qv`M`CĿ<l/~{Kwy[ =ˍ6IQ7PFI20~_ר4\th%u=3jcV{oz_.-=,!~W!ڣ#Aݓ r_!)FBCeTBX "|凹*Yjb:/Sha \gތ ongnvs`3 T`VŦ+ *WүfPW1v cɃ(F C.YnMJ81rՌbT q1 K##Ѓwx|5o|fhm?z;U4 uƫ@#W16!.W}W  "86 j_}5m[/%ٛ1%y:~~890 (<1 ;!MRxߥƜӛ},QzMp[W˲: ǼxXc#zZ`:35ys酹yI'fK+.yp,r;&\<]*CLAT' fVL=t0~Z V.^hA &Gs8Dz RC %;o`wQbP#TdSTd"}*)K=VMՑ([/ P'YW7E;QX.[fp0_ +倘msMն=(Q1ZbAwYv1<" <-\ Ҿ&=\~=z2$0>3 O?nqRp&.sG_P)WW o>9g3of˙}>I3o/w _΀]7~yM %µTAA h,n-~yi"0g0AMT] ){i NZ7d4aiz LY`d-46+[☎&+ﴼ҈jQ7~&Cr$?@l6?2JdMˮLBV hƳƐWǼBoسeYC,^v:Q#6|+RMj4WT@{P3(#d!=y:~zJԗF ۓ}<# 5 '`Aj>泊ds"D0Lqx+A1M\!6e; ߑ⢅0}jl `> RzO ҄_OL{>9-ПoS2T/}x(qo%g:Nh/!~١%c'S5D]^w[vVCrtuO/"C˿mڒurGqh Ȧ̅~40P&.aC7#x#tI2[Yϡh,>Mu6FPagoYBlw]Y.:,dӦ흠h+ƇhؖKP<ʟ|ͦ>U_w :p~͇=_@€!p~-d  B9Rf5 +1iF#Ɇ>P"W-?a s0S'Lߑ_+1(NCѿ Py%0u4vpt\3JYMw<φ62HК8z0u_>?0)CPv䇫[GLs>i1C!=\Gt`|tTLı!@qb~k;H>ijCdC`8# :[!֕l SOէ#O=UFgTv0TfɉF"{K< 0YwidJ`EUP&'Ȫ(,_vrpլ]Ћ#`bQ}Ń LDx@I IL> @JlbqH. g2QZk Fa\x\+¢OfVISu]یpN*l7ȇ6u <5JTߘ"oC*.B ժn)[rfQ~IqI\dQb_mw kHC!>|vz:D)Gv,aҤ |g~OWo*Y! 4c'q2͢q!a0IpʲB# 9 G lWT:Ȅ~X$5UJ34v0&TxOnU HĜ"E!iljxR=Q@ӜWk:rn׉eQ6ddb؄T̲פ{ +w D! 8,: [m$Áe-7 SBf@l m,-* PRFzB4f3^0lFjqʩx$d`yL1C/qȐsPsJk}@'>= Fm|ekt!3ڧ6jh"01oiAJPbpjAۻm&4kƳv>a}PH.ZTAik&ЊƟAlV]$y[ D4C}zp&&Pj+O849^H?-W<(pȶSiիƳ>Uk$R8jm)7ofaԅNjeC4]dmyܱh"$51v5뢆yi>,|筧HG|1(^=MWH135d"}Q, [//ɄS8_Z Hy=i3p/\53R}HUPރ(CP5oEbGe^7Jm(rdpO[TMz?qsNoWd`^>1k_s&@O}%gzwьc w@Jr.Q8l^Fy[}W`w|h>nhWQRqq-|fc~_6w&T:xpZ~C}X]BKlI9RFT@<]&WST|qPlQN'gry YLJÚ_Vu5 |%mh_[±WN}+OKl$|6l@߾ BD~ !͔e5~06%x NݜI9|Rp\R2Dצ/jL%5x I,c?ba3wūr YI);ռg9de)I,|Er6S#6뗜#~Z5vNL.zT5Bp)n9Kw_da[+٦4 T<ߕ}e/2 M8%$[nOI.g@uAIq0hM:Lt .֔wR1QOL$7`g}aV̓=aΓ(,QzIqݻw*TYHD:-VfHm-цhIz'a}ZscߪA:MvO"I{fڨ]%!RRC![Z3Gu){}ӫIg[,8ɉJ,)tq~`Z‰Zc#0Q׶{S'Lj>\.`ϕ&5`^3M% ⊫J77M` w=%C$Qe;mMeJ+64ʜy'`Bhv?OƢ"i#J#E 0QKicw ]w%@?ӧ+4KYGTОmK˛R*Ԥ#i)}- 1S΂6+Zdok\5ʑӍ|}t#nyуz];tJ$vUeqzYwH򃊶 B^n-EL$3-햓Z JP\*b^G9_%0밨1DwQ,gIk.) P&NF> cH KM|dy_r/'0N(}0*u@ K(-Tu([қyM $ |_%Z"!# "CY L&Maᆱ!<9fIO afIhƒ"t($rT\Vɝ3tO,9'>q^T|Op%Lh ] d:. tW s3w HMl)%+~Ji=p@ > ~Xs~޶ m/~G6~9-5r]\Z&,iskFJM2tzR~ϧRwg9q(fȉ)罓{N` 媎夞Xl2 {4vRz{917q' %F 2oY,uBUq>xm|]Ճ5.*Hؓ؁/柄F8)l/_Mlvۚg rE cJE ;{"WLbH Mpٿoepz*1sŒ4Z)D34Bi9O1e#n[j AQ}vRf\@,M 9*$P gY%a]W-hY,3M,*M&V4gbE6=//ڛ%&@+֑sh='ifHYL$s /F䄩UO>s/OډyZ7W:t5 Lf|qo ;"N[Ơ\2L]RF7&к&zrx, :iFA+9|\LjSNIu?2`]aJ](jJ-Pϩ_[.NQ^Sܡ['cYg4ƸIչ#=m8O7XFk]'w@HD.؈n4EÀ9Q4 _r2(cG-mM00|庄ui0d4ot[]e{6~oqCQ#:j]m셹_n|`D5a=f"j&`}L7m^fy> kI X=q|_b#s.i, {tQ&r1*Pҡ) Du ƍ(8cb7`/xhs`В*D̋ $ܥ7]MRfL%wdYMU㨗kMqe-B +ʗ#qEİU!0?qTnIv0Ďe&}Fn?DVܕ:|6}aMIUwC9r  kԭhA'*l$ Zf }׫ILl/`x%)&f);64,xGfU+kmB`A3:)6x4ƕyW}ThF?^\l׶XI3F%֪? YˤS<\4e UznAJQ}EkT60j 5``S8MS؈bTnޝ G|}`I^4{*邲UURqu V'XGT_vNHiLtS(xs7:Nߕ#sqwoɈ7`|~|'ziOV[:f;mD9nC3eg!NfowH2ğ*%,co3LM4.41̍]SٟC9E' OXp5p錚OsC7IX}o% 7|A7.d93gsǟ';5J٩?Ѽ8@S߇Sѵ2wй:l~dtc1'у2>n߮}#Ťo!ӀiӊTn#B12pSvW>Lcd^z#^-\t,Lv(9N=|l\Y(_LG.fzdj@sb-5I{)>誖ɥ>a ۨ"5pXiαgsTUNVM[F{_WaH:pcty-B quVpYLL*hH 5F鲘I쳮Nq ]&%|5Iמۗ4 I:ߩUn\w4o}H.<7T9;!"Ib3J Х߾,n5(nݩ<~n ^GTĥFH 6GɃD7c>S;9!` L7E6w8|Rd-S<)-6fݛ4 T˦u^꫌Icq.kw5GJ}E]*4l~0bs%̧Ȝc y>P wQ˹o +/وHmӆj[k#pJ -9_l:[7ߪf$2kN 쪰/>Gԫ(EepB’9 MbW/h`,' 0D,C5DL;]G\*c;$~$Fdu?.*]OwVT\ArL)t&(t%m|Ud,QOuYGfX4gIwO,zw$т3K' V}߀ DJ*2(r7( wocaml-doc-4.05/ocaml.info/ocaml.info.body-25.gz0000644000175000017500000003671013131636470020045 0ustar mehdimehdi8=gYocaml.info.body-25}kֱO,JAȎ3}˒eGu-e7X r`3Co 9I*I3y2ee\G4-:4Uߦ?D]'5_D"^瓬XM'ߥ&+tT\D/.MV ɇQ.-eEv]/EM6]ݤhy=<Li8Ϛ]T. 2Xj4LixŻ(+Zdz?NOޔMwz⧈ǘ x{S*^װ"*kQ3Ĺ`IV'nEM҆\~ \w0kVke˨JV}GKĖ5>i]L/7Y$8S*Σ&]\M~*"k}gK{;1+%zBX2&nu&K35_g<^EyV뱎RE_q-`Ͷrc _Y,IEwMZ{[&afv. h@=+ u\FMN <`h,2?ߥ逘v#O? 0 x`w.94i ^2*o+{61b\djq],|/l4;> ($nb0# s\Q&`,zBwD@ ʮ:`F油qj]E3oTNXJ<SK)s1+R?;`'|l،#\ktQ:8~7H?y7ż,sCl͜MZ7iu*A-,|ƀd"`g{~ (6`Lx :w TM݁j,)1S| =xA &p#Bi#}|>[qArZ.\JU}ocV929MzX)(~WM꿉AG\f0jwP#8uMY5$$U|籩5  l&)yWTZ$>L2|֯/A4JfЩZ54:h."Q3P1[oEo[$t~NeZI}Y%mZ֨;D%0/CJbX :Yc Ʈ"} r hZ %FL~הh\F`6ɮנPI\F/d N ]o7 ]E'# SсZ1to葽GϞѱ9@#XD&]dl3(]_hBF L$ N QSb-f!$aû1 ֛봩vFN;r?JJK\ߵM9RچlUbu 8\MYjSMAs4:^fhd/4FaA)X/-G˲8}ԑXF{ }ؘ॰[IuYۼ1{3)0ӛZ̫סV$}5|8`Gp@M hgy{W&;U+%vr>IWFm]D7js@^BbWD,G遑f 0N@,ŦώN<l 5b(+0/r 3MBm@wgV)M6|ԗ嵥8o D&[/:FRV- cbvLXE@.ʹdLP7 5 K |ڸX岅5LrY:{k' z'Z$>6X3WS8*d-v=^b?hMByP`^NjˬHǀ),_538Kx){f'w3hc9PlYl Ԇ8'BcMQ}0%5b=EDv-ȼ-0}4\ 8"[4I]hUZ\zX,H8/B9a9 l[Ux8 v/QFQtz# ,6$BE "@ ^Y•tFIWMmѦ\ig 0)MSPVEMNa4Z-3m@^֩>4e[jлI?4P!o]753?k&O /K8)9 m :t2 3޸n߲jn}jYgO%Sh]ߦͶb&@t8za]~eR YfFlx2|g;L*0ඩQRO/螒KgD &sbZDe aװ<]6,R}W\*tD?(I EdK(}4TWiU"ઠ+_W%K\U.#[?񣏑9/:?Q(R.ic .9+$).Ȁ|;E-4 t|هNr o#I\x&osQoUK#ezb"[&ptMMR#~U+J2I`_?[km>sX[,A#9@U_"L؍hgQE7JG銯w|ͣ%&>6;/d}lT]C=* 5d73`dB4kނE)koPs]O>FCH AbȞ $=_}G} BIa LQi].Suw-k W:.B3CGT (ٙ:D&śoAWrLy:V`ې@IN[wLQq$HJb ADoR,|{Uq`-> ,jw yC{7*횃eOΖ̍zM|gt\+(Hc17]u $:~WȟT-lddUka@ք /pJLs"I,Bqu޴SQ53냦p[| ]d -X~oiyW/i*]"7Y3Ds43cu> "4vߨ40F,ü ԒP eppeq22b|M{8ˌ, ͂>v8vŎk N%{a!68%y5,D" fU}DV42݋F0jhף (5۴d\][\޽ȹ5Y}"&0in0hjJ$Jx $-J7ln)9݃`m[Hц1zr_Gww-[d֔AC x$" ]h'%A}MtP'6y!E q"sF) ZG])agbWNvk8LD52!AtztޓF[,é};Vfw&pYLqDMZV*0H[7YM*tƝ3MQK^r>rG:zZocO">AMA|p5ǷQқ<-V3.n^v $5_Nܮ7z @]w?$&9j&7@ yo6P-":b:i`ѝ]ki"r q\+@;q$ָah#N%EcvDarm0$Ҩz#ꔭW$- F;-&^1138S\uܓKO.(aϺ%\]R:9Iv6Njny%/dݼĐC[3O`@i<l~CbeԜZH߅CϷMA9js/+q鞱H)[ukMJ @ Bza6OX*k@-v# /`3xŞrpt .+Etr:6n@~R%0)i('kEh;sO0g^h}a/ $4i](hujIˌ/I5^m.$c5$qԌ0&[W,e pZbpY${&A1? j ,`=.7[V@٣\#reClb6Ҽ?B'2Ya[Q5c܈uqԗ Sk)b$Ϫ,lp Tf6e:L%s\(@K%n;>vBCՍo@';B ;A^Վ xe|Ufp$yx^-x*2N4A  y1LayF&0QUzΎ`^YUV)A}NzyYVZd t Y.i&32^IT9o0dPچYrpGn2#0]y9;p;SxE< ;SkHL wG9dי=Jw;Fd$t7mDbѮ{:T+ b:H+M`Lg" J-ub`}يV%KHlb@d,LyQG't[J:.h]@ o"8E /sp?m=CXwehVViO3]|$X2TWЅ$J.\&D9Kaاtj(8V82Q vq.Ȑ= ־ê\n؍p(/sF ɅI0aYj̀`::# cF>]j>m, ܃OI"oK ԵbK[gX591ж5_Q4|lf#+NC4pQ*M.*̝9q!PwޕcP܇D"쟋u VJ/UDb6*b,JDϱЀw(7TPB`Ako/L @3fc#>d%+tFX{(r5pUZIacjyzqhxJE4g-7W 0ft1,Tt]-TŽ.y@) f , )Ϧ:R=j9 =NPߦDE mm˂ҁtt*K#cu3"ζ@nc3 Ŗ JaH"~T;%Z&"eJmUfDx:qMʓ= gTR mL\l\¸ܱ8WngЮack |,cd"eCEa~"s,:xޣ){e#+ 4x8YA7 '6ڌb(y}OnH|?9q#jݟF\@)O7#VH݌>BX&u%V!Je&2=uY;SֈƀA9g2pJ| xٝ4-Q[ t+Q52]T,rYGT̊S *rYUyMS_["qI)fga)*3=SguxD; 01dchBcrt پx1bd^jT‹)Pc0| ~"50HP/iXrc 9\lu)$I%RjKcT-1,\#>gdv kn5 `nFP/o4l]&}\8L_PÅ^A7nW{ cW=a/v~Ϸ0aˠ0Bnsm\m" ?XokbFM/3xsŞ۾>"CJZ%Iu^sB t]Y.*Vȫdžy>>O4Ⱥ.J},~dJLG<@ XتZ""%~{UsUY!"Pt픎dD^eD^h2b:M' n~>+ŽxzV$d|Y.hTzFǪOG'_?m\]Nlz{?]"NqMƟjh(3cSbzW'(j?mO{=[ifdm,f:/bЕe]>x ēg凜cQBd˗/E3gNθ0 YaڜҼٗg#0ykF?zz==fϢ'Q>S&<|ggq ];?d {`cG|u0Or'$IUuL3='6CV=3C3pc4LMJGbi/@T jm&&QIw0(l,N"o`z,e}}1YF*Z` cI7a0n#Oy~KiianNaG#@4:f#m~+ `ʞljCc _&P^mG`/;Oūxv\"㸰r*Br [NmHvCS(9Ťu)8FFrh$T`1 Zƴ鴺${[2[!Ȍ[@E`ZVW6LrmNԽ~^n9 ^his[~5%Vcyթr_};Yp5ubur;z+ɹҁɞS)Yxy .?ѩu rjL~/̺kv\FKgZ;AlS2G:<Hnqz0F{Fhڱ!{Wy[><RL Go>⏺zwl]?\4}nr}7o_{ph^H!b<*k&V&3 ^g<肼ť{`q a(/hwpK |t"f C~ n}䢰Yb/3Q < (KRw:pG#5q6VK11A.K(6AJW1LXl,5=U?A <-ۯvjaҍXˢiVqD2ڼYj19#@t֓Y۞8 4KS \%^#t1׋;+IwJt,ghiBeeĴ r׵v[['!T3t'i'%->7gcXF,VB>+OTHFIF<3BW3QtHkKӔ4&j]_+"+ԏ;$ߦx &f,2u{NӔ B _ MP&9Ǒ#`%CL42LaLg!`:o<qsYadB(s|b(x^~cz{:b~$H;yAߟ>:q6)YNs Z/+Vfo16.pI/ENjwkԽ )@h"&s[腊=םL/Ϯ[^"Tf OoiKqcZ!A7D1؂U93 O7Dcyy0'Jlz)Ӆ}L.! /^xlR}sJr9+"zQ|{tq!|Ybd oŽsgLf݋rA Ld(c)F-p .&@ $oϽ`} }OHEݱNʖ`MgU_)P[eĕYo:JQxN.x}J (~#;{J??JC,XP5}TPN<\ņ\ 2wr޵P%AT*N\C۰o) &ɳ({d4;;iHMqg%fgϔG87LoT7e #Yω eZQXF OBzr CK- cc*CbwMobGe ߅xPzbqXNMYt6SbaU_G#Ra#M4Ckӏh|J0yQa ZT-)N+y/xDa wh,k`OI:uՑ^:x=~^8#JF/02S:܃wc-_c J~;A<*L!kb9L$n\*@A% AK•Rz{i%gc~3,RDD7}j&Lc•-͈(QTFZk 2QZs*]bG\-`*Z=D??OK;Sx4i|WxUA7V`> nb`{ch)_ƕNP>$}q8e69_p]/L#_HE;"0vI| [m6E!SUiK &’"ז^;Yt/ӆ)`` +bKAa,;UkKu$m)0ypNjYEyf-CfcOc*|,Ro˯ekī¶=]>(-7dz'Up0|q{R֜}?;Ȕ/E?T#NqG? YN/֭H; ]!-S#6lQoPhįAIPTŃzʹSd,2푑`투\KړePIRSZ7Ƌ,wNUx]cb\[ u_=zLL_QѶ:&$AڶA;[DO XU0U/܃^&_.9fB/EʺsSJ1 I= pT8kJ5oDeǖH Җ2T0r#F9l߮NA[fd 5n u>KR sylH$Wу&KS 19vڦݚS.yՌv;dUɮrx.+kHwX;IWd&Kcz#[qu*hW;_,y߿C&e2軫[)'`6Xg2gݫf+z Ta"C,$Df]VqWHwZTes_LZ2Pfn5 LRr6sX8=Z lb/K^뇖SbVe/980݄aMri&n!xiAzb8HyIsʅ?^ лOe0[Z@.7%b#E_aN6s~tܛT{CvwL](N0lݗ PÓr4Mg|zؒ<%Ǻ%u1vo.gx)q.ץbjx3OFzSyK p' El@pU %딇0wOiU.~W|W3+S9Dʢ-czl_RuIćRJ/Ez4f&̔~eY li= EZQ &#!X6OyXy'WW 54N\I~M"Dn7%K-%Rb ?Fݹq$n& dH/8+PhhghWF)/y'_ `>6vjDאRVH(yz9صcXn1Ii0ؗq Wf"8HGe[R8_?oeaK9o^o7FkζOD.P9R^z:tGg߮A mC~!Y>)Xsw`:YB'`wߒQ(8-䙯1ԣ,# P铪|_B]Z*--?zFuqjKP 6ƇSQf%42w N -aU߲LH僇JxΎ(&G{:lzȂx$Zٙ69,?8؁ƟC,?!ƟuyG[كzcL>g&)scq +Cq'ϳMoe8 $1EWqv;_vN|o`g:SVh0vY E H!͉Z﷡?mIwӡ&3mڡ)h:RR>o8S+=߾b^8ja_~Yw md9X'aA)9w|M4 WB=q̟>;QT+!'t4Q%UosbwY˴YFb9o6Nxn7[mTZMzXt~{1jw뙿Q8۶bwp2h~&L6nv^pLX:-yxȶvN=p4TĿ#eڍƿ6 9Bm{[>칱FfG{4O~߷cݎsAZvVMf{0xf[e/l.a ]Ńo|;>$Ue IL]0)VfH+7%VCf763TqOOo''Mu7~Ճ>';>g;lrs؜]jt~vL{:g*T{ww=xwt^oߣ }c?ǹnyoPW&J2tۓGEV q[h6M0>.g2d30O}dQ-6/1[|ZE? 0s3?F^US{EY\*M[Np})aAK?ќ)sMU\OvJګ!3q]oצ0jmYl4=98~^<0sZS*_2o:)7 T ADK-˿ _p Tq͠@K}\GmaNb`;9 \! >+ D˞(6;%^[MH"7Qmߝv5UHV};;Evmvֹ_f}*NT$ocaml-doc-4.05/ocaml.info/ocaml.info.body-22.gz0000644000175000017500000003117713131636470020044 0ustar mehdimehdi8=gYocaml.info.body-22}ks7O\LH(qO-*r&M$(4%15?~ ~&sJlUj2ʹZ%FʹUU&ɒJ/Բ,EV]Ͷo|:*:W>*-ruhrh+}[>O~ܜgdS>(5<>RJ,5`w+*khU ]vt] `Ź~dzs_20"eWu*$*$cjs e;k6U42Fy$VmUdZ\0/IzKMAja,@Y'VNk3VIP*^0JS F<0g*͍. vXLfnTӪJZeURjiΓKӪXډ*dJT՚(?*~tgg("tYʦ1I3@IU 0/$T}p_=?MF=_(Y\TJ}fvx{4QFMJubm3nϑ|g{Tsl>|ў7M[(hs[C#~:MUF%OG/ш fkW&*7MDƮHH_\Z)C`5+SELz%} +^ҳA 5hJgƉa7Tڧ:))&IyUuJk*g} vMJy$~-ckdc wHh\_RB8-~NMrhw8b¤1+b `MP`N+R+TSW:N9EH CZK<|r:=i( 褩@盺BN1:DM;.q=]F>_CtPHfEu@ҦR7+ yy,@FBY)*$ȸnɊ >/-z/$)5Mnd.`$QAd"jFN%tI<%Hb jN``A!]jSgUĥ^rLlV[F385<7Ғۥ.qXPȞNmVLvÔi۞QKUi]WG#,=nbfU#F9x'=EӒ^vV@4s ( R9B -7ˆ"V &vI^4Y&F*9_~Qɫ1.-|K%y$U6(\M#TR}4?^! []:۪e!WE]@أKz7V(TuR z^e-~~'eıj`^)\a0G#Yo[ܾ x㮵MD@51ڣ4lUw:-1YnwfF>zBҩOQp'!x|e-ƯCȥ&N, Ejt޷DsYYknnp[WiŮK-է]7÷I%p$ij+`۱w(&n]\\+:ݝ4E)1χc&;6NF@g >;-n<HƱ9D{|gS\@ߦ6xE 6"N HO QE h097c`Y$7\5&޲n/M8J叞+Կ7l>v\$k=.ThkjV[% i ;q<Ciq=_  m@C̠~Zch Hu [D釛 zp<;YrpyfBSʷ_2vD(Z&16F*빥%ʺޭƽ^cL1vmxQRd>/]<0KqGd6>LcF㺼6&6-,ThjI?嗜.Y8сc}CeM9oyj:)pgU8DHh0ЎcJhDY[9ԻZٚ-0~xKKi-q[o[L{poZc}tx0[}^pS$B$jJ0^qއ0ʡR,/);s1dO6̂ 4TಽS^h.\U.Tm,>Fdc(MTkQ,j.ׁ𴙹48AcM~ȏC޳Ns=5XT߀ .꧴>sRE3UK F/ (l`'$14~6#$xtq/Pg ̬LT7_Sg΅^_DpUf=[r%~wqJpGpU?qLU{N'O:5 SHy`Spf+q,`VU:pZíxn1k9Nd¦rӺ]kre H_?$=H] ͎'h#'vz.y]z~DC2")IZR jĭsv;,[F`-qb㰕xXČZ7`V"mѣ,%]$3urYő@Esw'E`1[c>bӎ @B"\3P4JtK!FܯyV XgNyQ1r Yb`&(DbZ縵yU W RD );ѹPidEf` #h3)ΒH)m5oZ Fc!{<=m8dFdWѺuNn W(*\9TGTYʹ)"9y!4f''T,Sa ~E׷ʐ5jd5JWrsMQ'Ht@N@ A=dY2KR<}? BJ7fZЫs!-Ib>m (놿Ey$V"ߎOȻE$ HkAܛdC2ur>mCL55j:1 HT2²k'p3`P1NT2cfgB'f`B "dAj\H@}E"HWԊ|~4rg]bNzȣe=F.Ubk] qm<_E ˰A, +Ϥ AGEGh* tSe=NN<>odAP MP= /mXEyn*`-k%'ܰ%]cwKF컱9t~`\jKex$r9ۭ?MF2EL`8UʼM:Y C6¦r RqcXǘ;,4:T#u%hfd#>6G M:Ms`$B*/35"X(=Fd0.+2SR%PFOkU7+_<[iY52y  HOq{VM.u ;yZp`o.mP6'ZνrH@YsdlJ6!>1*2^?;>Woo/ɯӲ)ar u""WZv95ok`3\(|:V\qu )0v>#ӸqG| &t(1*.p-3r_T̔*lf\"6 ZFҬUnCtbXbWcR4PQ2 HR%6h *9wYvj5,ţ lMl)_qa(hu} Z5lFf.@u:#4x_D yz5`Y*!iChBY0ȖE0+h"DWo._)X"b彐5\<ـ2 hItZf0Уs;(e)V 6trq3UkhwBjhAeb:RcFcQ͟` pJC8GҔȝwL1 1ԡ3e1Sʠ/IEx.p Np BUā`k :[Zaكo"!.!!9^^VȻ" ގv<@Nva.O R4tBwAP>4SrYQ=2gl |StSr?Uyv>,?uDSv)=YYҲс3*]SntE|,mrxHa:v]nemM˄ !7pJA~QFiiC 0Fuj< 29X- GKqm w5kU d!di_Kv#9M!Iҗ̨@嘂b |e9Wro'bQ!I+'1“XHʐQ9CwHi=bp7KL;Ayl AxmvF+la~3Ys MN>MKΔXld ǚ3H<6s0t> !q.Sh=㙷pQ[L bZ;M$uVCb',ª;~;xk3h|BE ؞4Yj^dah  :?1_7CÊX(4r1VqvLDrwuk:+Y`#֐S|) x `njJꬔVX,qiq4pbÃ1EF}9$Ԑzb;AÃK^.yweiڪ]]6]P4L Nv5O nc9A6*U £]tm zk72l1/9";];v0HmXbbE[+RdhLp>=ppTg΢ʁwåY|~{eH%-r6oq1E ]9jP1ٴ]HKk+EPZ琭eYIM^Kley&v46Vx*f\mkk,l9~ &})B\!i>(ㄌ.UR5RbnpW/YX9Hu;5-X IϪ3k_tj{1c8>*[WײQ-Z5DR:Q aW؂pi-Vُ :Ǔ]`qH &h}GMZ= 9rX,x&bkTqytxVbFSLbDy|$bBBq瀯l`ɦ<ΕL}~~~6ʞ[3>zv \5Tѿx(=X'hLF *B$w" S?V.cRd _r߬هnS,884,@S&J1DlfIdR`J]HF,Kwk}! ^(}#;WI4_.4ώScηsrq:7ROxXUzl&d cL2<h3gXΖYѓVqR`xlQ82*]޻\ q:\5rΒ3 +4{V٢OT Lӄ]\I3mFZu!釐z^kaw@Zjiǣ]P6Hh:V:S?EV*isJ}=W<E;'}q:/UΕN{hn. ׽)8|!,M}Sh~:"E#/[r2j+5`$!.|7a`m:DnGb(%b(U /D@$ܿ9dcݨ orVv'O("LV@KFM/s|GM;R~2{j\՘Foy[7)0hcf`)y[Lŗ􃗥i`&#dWFVI(DjWw&Ha>$>+f5$kOyT۰l=ݹaC!Ob?mcq㞆\|g/B5TwglbgcoX..妖DDA‘PPH~oں4eT]i#"8fh|rA[2rY,S `StsXu~0*c!霮 s(VM6o&!o4wbg͈ux/ۧӼ)(.)V!DW]`iϦ ] ;"p ?@-6i& :&UwO?|[%]Vjw.RrG>QĖMλu4[ąGâ\6ڸݖ[E)dS_lur+u)}N%kOgJp)?j-:'Ne$Ѱ3hĦ[V TU+JP#󜩇X=ߣ7ˇ|C<(-χlsٕto Pfy0o"'YL>Ό|felsNV1b1\ų5[tz|dį|Ǵq`ym7-Z$wYĢ=:1xGE  eI;V.&W[֌M#Q{L}jɯNtܟ"P]i VntAc8!-N&ڪA|k8Q tXCjxMawL[9bX4r~y8ylgUQ򇝨 ;~nBA:=:Ի&$ ]蓏 }w丂.:H /wSUc𽂻+ ۏE8N;ط~ 8[P>LeN 217TlwM p==$2Ee)9DrޡS{w'PH,/^[I|/'ǣ2ÿ}ǡ{ci&ғIߒ214YNwpűቿf΍q'ђ$:W&͢AC>?}OEc,ny.[rRxL wZ>ތIP ^PonoB8 ։S:i^bgAf,Uv ;FŎʨS4}A%6xܗ~!E5x=~+mЂSpl΄}nb}|`Pwf*oEg$Bw3A ufY2Tgn=5體a$_,=YS䘔󱣌S Q~ϨaO>R3.<zs\ۮoYYZW[,X]+39/[;װ[vk@2PՃڮY z_y_y_y_y_y_y_y_y_y_y_y_y_y_y_y_oSߡ񟹜񟻜}9}9grN`//,||ǒN,ltwt~Wy|un/Zi+86cYb_0A.5=_–2^놮uW|??;W;j_ zɧKvor>^h3jLn=Lj%<5كk(4zY$<κ&"@ߺgL`y^]N/mmh۪T Vعy1b0;GjpKr W[q|ӶkByٜSRѶ;XW 3 )]P gw0I3oG,$ʹ8bO%:9{Yjz7gܚ|-o $CƄ8 Gub~3Hg-2:)s\m"rX80A(K=JzjUOPmVxd6惛:|tI-隒#¼f \<Y\mi &5[C7EI7{_'&;b"n}QPZ5 zL Cc^avrÍ~/Cӕ[jb㑐Wy%gW+R7i4oi/z}>`~Jb.  k//7g+0čG., 3x XTS  VyɯIR_&|f)Kl,w2LX9C@TIlSWj؍\MsݾaGL>/M3E8~f-;\#7u8 O00o9s9 t֥${?C hw ZLg`~bQ[IC P@5U'YH(<b~$ 0bQGyY%;U)N(,$KZǔg%:I:b+@ӫ C_98Ա$/t]߾V 7md= 5'MV䗊pq pz2DlA'M kR2s{a@`( #ݹ ].c"P'jRYMEpz_^"*X_|[\Jy5&3#,]z|ջ_Wo8^6' 6IrrWu jZrr)BR?hXҨ5?^g )LUsUamjd3?pԂѥyQj͖2%'r }7򘳄0H $mz&4dq7Dkom@}W &>p ϏbI}&hhBf.k3upT?1. SCGՄHX1wwm?5y9Pӓ;iU2+t>Ch}r-hrk +2MG׿/h0"cG1Z@j0 hrqC&fi^u1%ŗe]UMZ@u#Sʑ> olNz~[aƔW.>wѴG^c{[]jSw1 B}UY ``W٢ƳU ۴Fsxn :BMVSmWQճY@7ƩW%eez0JPhn݂9U-)۶p`89muզKSگiR푋N~R v, 4%Ueo9`Sncy/HC% ;޽@x75* @wE4wC(ڠ|LP0%QygI;ڄj6*5`H4M^cdvs<,ƏLRrJMCw4?:*Nu(3jchfj1{{) |mD|XkpR*.P) E9$DY_~ 8>I6_q!JXQww`^W~U JwpnhcCY~C|{fxOwiC[rvgz9(غ\iA63A܉LP^ >${`2C[DϼQ0 CQf.' ҂9Gɲ0{y Nc;'$_n}ޏ7E.UdM:2mlVYE]]C$_UZͲjRjɛgmQѿg>v>K4IMichrV66_ME9ϛɱp4} 27u40s:]|޶JzZDQ^6:Oۛy2jxSږ6lʛ4G˪Mg٦sUC4H(‚keq G x64<@P6+QZO lg7akMY̲UhؓW|}W4@'̰0e`[it M)ی֔Ve(i۲-2;u}WV6[miĬ'"Lh2DOtMu>/!oj6y.܃ӷ<HuSaG~_M!)_+b儋.KnaP|۫~㳫1ۋɲ;;&1A45"`佋\Mr% P!PIKB39Ib-XWI03yVQ~֒5 igk_A>r>^YVN"3 ?IkXy .78,Jpd}L˽/V\~Sxe앀-D ŀih9>me۞kln O\3PtiJ.*wA6Vs 5"Z7HQ@2kOA{cs\j*LCm)P\dȭ*a\8̸z@6f=0Ls#ر"X1qN;I,^U➠U(c,m4m)JP{LPX-2O,'q9~ ds2y$z:D}ZWخ w^}KM4xJC;'3A4 K$TTcť&L+#($<2=ez]M,E#h W!za"O<~@^2&V3*kYk$ami"'hh E&DKܚ R,F拃DQ1}Ѱy]ʼ1^|=eTkH%Wt4sO(DunJ cj&I+1"+\@*AGd<#/e!(Qll=E=X.j8r |kXs5Wp T)i ZՑNPR9(bœ^Qì.lcg~[T[W2Ihtްv:v9ԀHB_ uÄ ̣wtwBP s*1c3K4[cx>x"2: F8 Ĭ$"D# V-o(#%S%wT9TEI ǀ^>8H; @wt`U„'NԔs5}4釬a)`:#|3%oD}՘oP(C-l 찯?f=UKMjР =k[h[h=.*ANeK).~ އRHVzf`O7=}˯WWtG|r=0avui|Mу""@eC$uzu%Hi6@=p _޳qz C}c׾Zy~srޤ|K͖8R:sM$`@2 _W1`D6|D-k!o1K D UTd c)n!뉠obޒc0au/CSv*+5Pupt"PM+(!^:w9z;k_BC+]h@XxΜc0Ƀ(ǂD+tіPhZ`#A:y)_,`V6#9y6e%t6 %0!!'r{"=8>}guwVT}zbQu ɵZ)ZGmnFCcd'5B3T18QBӱZii8Cp.{ERF챝$5$YFcِ1cc|lq-t}v-7lySxԉnz z|TV5QQu##G}D& 9n9$MDeWHOQc2bOprGl !EoJ`F}gvԣ62GuF,9_aLL+CjIѕ(o6L0Y2a8Y#z$0o콶e\P`ރTD3R!u!1@&iM A3 &GOz<@8<zF!ֿ(B>B϶U& `goH~2a4~8(6tl`@2fG,c"Fz 9Q@b`=bAֳIJytl251b1+*u$up 葇AL||,7^@e #6;t:i}>ulE-=x=q@gVcbkÍ@nj4R'W3Nnx@\e` +g;&wy (Ts d )vH9"&G^^9M&EJMoWqu`Ъt,|YZ/r {Glk!PH..C#pȮ{6J$Òe}˝ 4Uӫz#@,&*` Tk?bS) KlӚz QvfQUpv˟/9ݔ$lv4#?n}Cb}ыЗAinZQ-ELn$ GQT%wЇ=Ε%jY7kҤ09W葆HeL(+40L i/ lJ(̱l]3A@/]YhHNhΐQ] 4yN.]zΖ}$3wRYLn rTikzPB]"gY ۲#f%G!>ȢUYI;K04(n4O C ,˕0:A.tTFB'L_M.ԆxKpH|-# #{Eh 9iZjdթ~fK *[IW2"}y;)IժGyy(Q6nnʬ&M/9/\M4,xERS)Q?LVV FUu\JԽܓ왥O$OUqwWhŃWO3]6S}Bلꎯ }ȵXGB7j_G)w#M$qhL]Qɝ'*'N|qp+HF6q ¦M' 5" EIy/֊Q[!DSR6v(݇ 7b_8qBԗEm3d|- +Ajlju_vf.-`6tۚ˭E^I!E9ntٞ{[Ȁ.n(coẋP,oRވ%#A3 ڂzt$qFzD UHeFtw%dE]Zt;KRزJ8R!K\PsrQ=PD#or{ h#uHI }K_f]6>] lElj,$beh%{CLiDQ) `q-I{o[z`϶hZp`ʭOo!"Aũx&5A6Ě˔][*UJ6S.YɊ&ȄRv rd襥 NVTʱK{0%>&dDܐ0hc&A%+d#D?sxa'ISPAL=ƏX&TRq@2mbT`C$OJR򮻱'6/ù0&o*on j #ETiwGxGŸZ\ !`jk4aL/Q'K Bb? 9-c%0YMk%6UX#IqB+%<һ!!UHu{bgĊ>`Mb\c@&Glm mSABuȁpa,Mv?(yCL)c[6(&0d' ԛH`(dxVCʼneX̱<Io8Zq0T^ t]Dc/rFP7L@(#\^]ez; ;JLT :+x]0vɡAͩ6G#CגDVD1ŘF ]kZዞ!oכǢ%Н,t"W~(ͧa ʰⵧsSqT4_ifCBiV;A򓮽"ӁTGL}D@}~CvW֣Xg/Z7vHGG0[r؂rX璜ܺkڵxF7!e~V^c/^o O䉖BɎo@!t0n4^M|m`$B5_a)[Hfɳ&G1zW@hMƱvQFD{N DݹcӲ_0uD{Pmzf]&_jUXT)pccw{B'IcP݄$oj1%a][S7)d fc2ji&S"h!8mMX9[][S"!n[ֹʆuj?PBʜƁx \2@&D$D q3_ڗl~PcHtǩX[Io>Zz  2Ag@" Vw{. p,UoVay IJBUF 'zxuiV )BM`#.S{T Rրu,#\ WlΠ6]w!POᐊ*qߘ]b;y0wSMrXcXjS<@v[F>gTƿETڏIc4] w26A#ذ-yeT'gQ,Jb.0H|mOUVHu&~exgwUʣN)lWkT%VrH)*RSA3 貦 Ke=N1j$ v҉0 V+(1} He iݴIZkKp$o5]/2X ^?)m`@8I ~{9mΟx+}{2nKYney6p-!5ybAcC qs :`9%aC5ؕ!!+i jިH)U1'NcNtBFd'|{M+†f1v'o&z ~WgMzhP-*iZ#2`R%[npGׅSt\Uv!c  =ubwBw"@J%dӛTKEO7ْ^&oM4gOϞ}/>O,wZ8[ޚ)cJ7fdBjvQäeCQ3VOAA&h@l98dƶD{0wr%j!q9#QVS6zO H Ǻ+OJ\rmah ]PV]DʕmWJTTG7SV(,P$jC։@{g@"7 lggCin%I4Ch ۃh%sٯ;ZNc)@ b 0nJD#LYҧ^|XI2Lr"GmeAj:l5ڂK+(*t5^a=W˧w/~^w-߯TwN‘Bm[^SfmfYQyJJ<HuMK֐d~ ?1೥kN E%h<9e؂?2-跩jwDc稽s*FSeq*R AdWXP Մkնl>.5qcWe$då&2}HWn'wm/zV+)PsvFnRRrpj̽Dn 20!MDb8 "_F4^s?@tkE|IWأ:R`EM5je9|~f&-`#@[Kmgpa$dY-k,VIp:( s;75EcdM]E*0w[g;4٠F"$ :c\GN,5hqJ|9Gv>RySNZU; -S7;Yh=6'͈'#ё18y,v.nڥ:CYqi1'F'ٜ+;KQi2N#c"Noґ]̠x&cU ]A =QI|eǵh=݊G.P o|6J& t4{[_`:~r ZҜSsz:9{sjT~. J0%lKl$7\j7c9f5i1SRH|]c%xthE d; A4?P=P:v 0 !.0ur}p -`86[NF\Sd4"|O9Mnvs+.&3 ~I턈٣GSPJW/? ]Я"y) ٕb?^xO߾xթ$YT=QdT.s%ggG$RJ2g&}B\SEIO:M gAQoZiAfh>Yá[qz͟-H3+V\#b{T7'HH ۋȡuw9 DG}(ݨt 0"pFM5zt<ɗRJM>t9t\?y ЄаЙi;to[٧MH K~7 O}x 0yi$% p^ c,U9/Wz{[m辥W01zzoETqhz0 ?,}hBu 9~iL)ޢv1˹ԿS 5W))+_+vm0ULU\&YUg8_5v:_ ͭ2 FptHFjoӛ]#bӌ>s.πz{>rSN* gw.Ч2Cl>Z`$E `tS>efD<>>HmL{#C4J{Og U+Lj~__zpPӅ"-v7IJoDﷄ39Ve >jyHpIBU@ubt'}^a! +حXn¡=.z.$[ 0{8TSCAbˋ[){=/Ra4;TSz0:*JZFKgB 5ڷ@Ϗ0 t(Kn}%ZR^;Ա;cχ-+;,WQ1Pxq?Mf}T3cLûʟ6紿wXؖ"woqm޷%pb~^P,jj4wDV)vs*BݰbȼK)?ui61eHyAunEcay#R@jBz%׵dG|]D zG=]~o1Ν36dJE`-fR]E]3 9 Jh7(Q(0HTAy lĦR01X( +|=La_G4_X6q dWN|v=˄JQx`^?=N pFK:HP!her C7Y>$?\DNmylmM߄!4O;@GGŏlɭx>I25I.GIzNB2]5nł3_hDK% GX^aԪ,~JnMͮ~h>וM.wJZ'X>Blmt E ̗9$dA.~Lspd_?d KAZ<ӥڳ*Xsש Cmujc9Uuw>B tOCҘ2aIcI6'vbF!>vһt7KzZ9.ɑz㋗ LxӰ^cCrz_m\̩/?q -"h;~ Gݶ݉n~`z^u ?/dӺ; X_,FWHǫ,כ DNQ106YQ];nFB#0t%:tan7#QIЗ >C?Zz]aloc\gGntBGo_e0ǣ.MЍ~FF$kP{<1D?ΉΥ|L 2UzuK͓Z0dL/`!gX|`eFY|B{Nr^^uqawhK2bo1xArGbUz79m+ǑT3W&x(#ҿ2R-YH]t*"]/;듃S`zSS|z~19f;IґghwǝwRc#5CN[3(㬷07$𙉸` uEf(6 c[d r A"ߐձMy4F '#64)e3Yc֜ynBWdpm(fwC} 7 7!JTT9= `fQayU6q7WaL \E1m0 Ѻ'|B>JB.&+@=3Wl1sj:\ )Gp=`oO#[ mJ;ҙw {b-;S;$]RyU-f+8#2)j~d@OA]M̈Ԑ(8'!2 wP` EQ:z$A} T >T"th@sHoc?v?>bp*:oeaf _g-gC}CC#B3YU "CQ邨u%N#E:}"CBv"l1?@ tejP8T% {V5~L#a=/NIC1&-&Pci=  8Z`c4_Ƅ\WPT!!s #ECOxS|z. ~zy\VƝ;?z;/ ܡp/h 6lB` 唊KvG9m6U{Y7!vn8N#Qأ-w@喃b3`c&/RC5Xƃ*ST5.Sq 8T8&+$ߣ33)GfFs9h4*1`?8iᆳGnD}!j?SinTuRḇ.Z/(53.BS0?fUG@>Wܪ 9ޱm<=6 ^c>]ݢّ}1D@B=ZIOzG7^xO)&/.ߋ${)f_k g =|Nw2eN 8ٯ WR"=T{1gȍ gk?|}tQDŽH ?$1rQٸgBϬ }.N&ƽ0Ԍo M|6Pv)0H^ GnuQ4s96놟 ^lu^,VRkrl9*GZ&nnjut-oдʑ1$rLq&l^˘b|M'2Ͼ dPWF.jNjkE]rE]]I3e#c>rhqI x-ΘobUIR LTJVӛK苚>W`7UDk^ׄ{i$[J)fh( ͝gQme\AMU^-n:jЋ^d+cRؒJ+ Eq,_mULSn-[V*xwF19eMe9wdxȔmco"l%VyecDN(Nd557>2uҀMLtX\"R!M‰=w\[I >A9i i'{A6-!REj1h1g}E gBX.ZEN5{%PFPOM;{:>J!AvBSڨ>"KYkcvWCb<6k`Ћ[%ɷ͔r6{139CmsmAgoAƎuDOR6ZѡzjJC*L="P\Q1Bk hT볚DI$N?Xz-l:߱l47YAl%:ek:Oy:{>L7(UX0b^,6s8ԣo1Lon&777`7N tM9,E8uhzzt5QT{*҉>MdC MJhwN{q4*FCvuI$rԮs*бݘhxзC*C(G !D)*F^QH1{Ѵ,c5/BRԔ`i/㬄1 Ɂp}Mݢ@JFWO~?y?yly=#n}ٿq5Sk%K"z-_7>Bv V:)Nb ml˶XIU.qajNz(fNgh[Y7]vh&;fT6h؊3~5!CQv%m rIRGJ=uY>U}|h4 A,+ܵpOֿG>ѫܒ=M Z6wE\Gn&_mr XȖ&0~R1;SZT$p!iNoսo)ZO]iQ↶oHlCc-ÆpS?J((_o]8Nm0MlLIvքиGd~g߬M1q K0 M^S:WV%u- 4'17BUT~y)o A}5Bd\d_O#['62E}z:]!YI0\H98;Q1X(A/H& PUӍIQ-s0O4ˢ0y*؊ilŻv[4@Gle0&:IeD@iDN(J'02#e9/U1Qߎ:X;YB.}1˫H8Pv"< *R\ ^}c:m4Ai>.ij:"%#;H.r7+ޕJ,?d8~!%{ KR.Nr!aRY H6!ΰ3Yisdg{+-i¦~MHu%5ܥ^ϊz]aBYaK/pUKT8+o"4e>HFOf/,imtB)y]8Ω m8CÊ0SALJs/LtϹk2lij{jg^ . k [*1K'TtW}lX"ɊFNd )u m[ Ȃ7F0BxnHouאTuKhT3c#L,ǰKt ע>daTLU[ahسBZl[΢spEi4Fcw&t%SKD;seY3xD̲L0$e!!E Pc58i=1.C3va22-'q`%k^@$1m!F;dWPB/텩b6Ij'̈́e +7%i<J3q` "5YBh^Ѷ !je(,xFAMƉ:CQG1uQ2d-?b>܎c[ZoX׼ǬZYY a[۪(&cUܷ>ڦs8(Z:֢ wˢch6,HB#X+0XpnBVХ5v'r-T<l\=,r·InbEIBf[kJqfmJZ1ĺLEˮӲyEQ5$HK Pšd2+Jc y(iC\,`Ij,8,oB搷!a q"7^?+8vDioE]Azئ)UH|QrI'4=qWFuӟ{pD=gy!onLbe {gC* %,8oLZ,ggĎCktmWJSV %'5+G@P7;S%͌:Ύt m?l !b*%`Hie~[nl`6vzO;c䪤[)|8+9(]*R aTiEީEf #Y(XSX$m>*ݱ5E"2;5=HkW`&CʌԀ6)!j$lH5뇱CD<8D&~`!\^sNzV碴\c=}χ~#;~- ~ivbݷ}?[&T⎉y7H3%jrz:q s~"՗@xF g]F;JE{ۓ?|Gw;r88'#lcIKomu)ZMLE6 oapqs1!@+-Љ]rYkY#_Y'k=E_e$ %J6?RѭLf#jr -ٰ)1|{k3M:Q)$F|j4Xy2c@#ptd@d +"77wY* ̿֞PEE1S9%Ͷ })IBܺ^=! rWo˨8!8n;_ێ@;%UT@![W\E\2(PFk^:Pۜ.CSi X\40J6r( y36y|WN巯oII'UY4Idc( YN<7W,cF.]|s, :DDVHeLX4;nnaԐs,N5*5A' V.lOs-*LQAM[KPa/f eq.m> |6r^Upj'_'Xu ϱk۴$W`?[ NMW5&Oocaml-doc-4.05/ocaml.info/ocaml.info.body-18.gz0000644000175000017500000004117513131636470020050 0ustar mehdimehdi8=gYocaml.info.body-18}isFXLEtXv,k\1]U=n$A-`#A :XmId/_|w|.T*6yT:2mTɗ骮音/'JZdͤ(W8Z'oESTe:}4gu~}_]II2`Q ՟yQJU}^.uI)f4OUI7yyѬa9’HI^)Ǽ׀uvkVbfq7cjo"l2iBE#b4k2L*&1+T*abyn,V4KKP@/ #J]jY p&[c)ʋ @_94@/@"\~y_WyMe0Og92 @GȏȾ8W}#8d,ع&ϖ8c,c(0EdΨӪB }%l^v^0+f X4@S zG%0#Ί q*V;P+ nEV/6Ȩ!/|ꕫ.GogSYxyߚЎQl/TELڂj-`#lVUTڍo4P/}%Cг*ڀjx>bO,^Ng`2jĹoUD<ծ5`mCÁ}Wy/aMp\@,p$3v;ǣ4͝=HHN1Ѣ쩧qh(NrnD,Ev,J0w!56bO xIAh@/DW]S͑ޠt\'sH23_ ˙Zg1Xy]C0pv7&kcnƽh|;lڣX/?lD̫jc4U4( 5 ?wk{\X s.u&dk[-A;pEz_ if,'7b*4 g̱0;#M!=Z dA6fbztSz󽆑''xd]xX~kر։TECaz^T`if笾k)%WăVxEQ<܄x;7/oNw>צ1:%Dw~KXk&=>i~&i.@mUԸh[f))MXyKklW(lP.(THU8 ;X*4pc?;f?OҗUH` pzzX:Y &SFsa<7 >hן}8lgNN*?CxKCSwVpAɦ$~I6+6K<[\~/ 9`eZ˦L>JF}4!.TP |nN֘%v;6"-ǩy%CVXk觴rg\U'GBJtQ~w^fQ  NezeF#AhOy .2HL2 k w) 3q 9ѡZ9"X+Nɾ\k?kD+ F;դPơ F&09f4((G9''? Zih13(w0f=q,Z%\2ۋat4&w^t29~tLA>uL;@UkҢ:sc|x^'=}Wҗ! =OvWd"uU~{ 6=ނT9-@5=⟵L Hۭ(g.Go(,bw+bv®@<.oT~tzD>p7@ J=(ӎ.#Wۦ#M טpA0lB^m*' \9}f1 ]C[iъ9!Zj%D.8A@udev֥ !z_ G0Mvl7 ~-gx\pNMW7y mt{gp0+*_AЁ=%4$U_Wtn~$Ub&M\7pjNo1-2/1sM9BZ{td$Uw61p,z; !U!KM4mB>42vНC""Gfpk@uR]f# Qxb&8na׉%]td)X㹱u]/b$Y'<)"g+P-lỼ6d$3hkS)}C u HmjO{}k?_쀗‚Q_̔N~wp2 XRFNk6aB9K/ ԁrI[[9h+ti+gV]RBmTf>׳Wg1FNKM?>Mzij#aQ`"1P|@ 4(]S]n jxg`s$ 0[ tt'C^ !J U@9b+v&jպoTj55CU}ퟗ `"_)Mˢ70q yOp-ͥ4`(סn :),=ıxن{SSw2šVqmy͈N>F.Lf8Le;54 b!7DyKGT>ѻt"wu]bSe#KoC"vDϥ!Fx+Ug *rERk"w QCv/ 2GzuCQϻV8RXi/V"uo`l+¨Q .J.J4/'{1`qlwW>建+|8]p=>]+%0bhhP.}܍_r+HܨOg]1Z } -4=Oci5 Y&l]%-9]δC!"BUƧgٓn7f13][YEU ;Wq98\[?iӈz}~fwkPQjOߙ/^%Z}u'NSr";W _|Dk>uuUzY:'ǖDYz[yAp pI):\$.J]]qDoCkUoy}nTˬ`MEnC+&$F0̡-!9Xeq&l^c9["#<lrA \'xfeEjcs,d,wFeFF$}S~/(J-uGo $EKI}BPH}:gɉ=ܣuAu_r ח*v'F,2Fۙ13 <;ks8NӃHʩ9|!.4gb(kzΡe'&ܺACIz>tr}qb. ] vmLq&3a v}򴟔)7H)k/s2!-8=7Q=e[>Ê@#4I<~8 MbR2~,Ntpb2m(H0 L^˶C0094oF;`kGiMG[{4wH{nLH'hk9`;Ԓi3ёz:rLQGczr\}p~[{~KZ{~}~܃ _׍(??{K]WNWͅ7"/X*5X}̹d zN ~eSѕ+/S2D R :gzSoz;~1J`Vs|GOaKһfjL#?)R!x7L)V%8{3齃W*Wr?ߕN7)=o<֞S J:OK)%_ R݅r-}pmzfbF0e+,U&~$Υ]Y:)_ڮˉvabMzxˁ$aÿ$N$9{yd6COkjZRݙܫaqI֗#,Ce +(E.%+K֜`o S1v]ggw=NI&f^MEߨ{= Q44ΗE}.FYfL=vp;5ʓr<肯 gXq:2QOTrᴞYy~IKZQ4Z#:ond/i)؊,%ބYaksluܣo>J.~C~?Hi:JWb'&g'ӏbWD5T7"=j?sv `N̹g¹cyv Z^k\JL>{**ª8a D01IS!te[da59س4eˮ-UPeXP*2 ȰܤWg_!X-p)t+$|,HmG-r4TzB/RƬjT{\|Z+ RUE Q Jwi#,˒q=8y]h Ʊ, flya).C J69 DڢuVVM~ ѪfYOtwNK>.BFT4;QYXv `F8nv =X@\$rl[occHdg'=޾W?495,xjx˜AS]ƿ?ׯc5A>PXم;w 3R]@o o]'6x>/Db O׵$=J]l?$dYTz^A4Il]i:Nf;=dr#^@ȸrP*5WIT򋰲r"1?H1 nۼN¿_eLau1E˜ų.< =)N6 #edZ$=j߫ bbig Mނ|Sf&z~G#葱`*9pzYfƣxUG?GgV( kXi. "iVwIR."JG O, ]VbA!\q;&I㭛f7{TvNdU?`?]V{|L)ceu Iy ԅL'\$g}MFZY/N1zvHXu.Pf湘[X>ǔ=!-++*>ŭl<"sV_zF2-pvC ۞OvONfTB ֶ*n"V 6e_҆ͳh<~SS"!H[j,B~4#6ƴz'R'sI G1PVHkDKc`ޒ~zC2Mʔ + $ZzƧH}0a2(afd4#Q[DD\3'J%>o7 }UrlXm yEi¸nA2,'E]U_+$?ZxL<:c +3Cg5M.\T]oOjFzHT{ MJ J5&OR!0Ugos pRճmqCNyJ,UuA7z4l|"2`d2^[|n EAr',:-\p#i_ $?%w5bLh(vBj/m$hsK1\LBRsz7tĀV)|]:\/UVFI*kG';!&>"R%NHiD$V褮 c]W>xObؔg_SLlYAael9.KˋXp9K 34 CYyps0}ÙY =zC^KT0M:8Sm)f)A5 ;ι<=i.eՔ٨sCǴe0yЏY !#cj?zGyVvU~8Y^sbFTAI6z[IG"T )ۡ W!~Ï^907H# xp¼\f:Hɛ6/N !7m!l&Vuq!GFO"'c3%<6R2c/H e%\?@_NOuܚD!֓mayaI1@H68}IBmrVv5J|W2OMiO|=83V4ボaŪi 2 9843p{t`(L'HZ?SaU)qaLb6עG˘BwZ^kxH[F:V f[q𨴪A COk=P ׌:(Cnm2Mun7l9YY"f^MX [ScZ)6}+p~=@}^SPRL&V"27P9Eyk|UEkG;/ИMV(մl~h (5M~GGGocSDZCnltp.Eϫ"e'n,)%`Mj Yg_o~ ,!ІM` GR 5ό$ÁW/Xѻ`SL{s.١7 vl7e/qT|-u#Cއr:GNO9687ˊ+̛. F8^7EvI#{AFe[/]l)A l*T7Q 'N|i:\tG>Z kuU Ʀ|ZMXߜTKYE|j}& jd"V^1]*'wѨb@o`7Jz]e\%+q1#4>B'&c1X2B )\J9AZ.Mf5by-:vc^L># '1g٫f+Rيxcr+7p^n3.ЂrXtRJ2Im:wc#e*/Pc,#h'*P9֎;g&,!ZP:#ftN'n͵g+vvx'urGiLO3zCR rGVhB":R=:7>|B 9ď LM|j?}"X:HI~}@R:S𓄮@kfș Ƀb{z\(]ݕj)x#SuQ;p@Ψ*]K`kL*OdX|•+- Da,m-gKM,"ܦ9+xu<i IRlUe:<:WeW^'oTMߝl~V^[N ?a0BL7%;.Qd:qJ)rw ]To΂ c{{l5h8 Sn3i`ƙs~f鹹C^4]|x@NFl{Hè4Fvq?63x92&:[qAH8=EV]}5r^=+[Ŷ/V\@$$4uO'WnbF;@ jdS]RNt.t_&ʐ> @xmcʡ=L$a 췗 ͻv5RJ p.xfL:61Zڌ71{w@6t8t]qZfi(0c =*IjSs.W[]~ѥtN{TR 1:[\Ed}KIfuL/@Z6ޘSDg񷙏qk+/#ϯ+K׬Ʈl] 5t^CuU`pn?J:ER_8WJhDW\^QDJ5z@!M~. qF9w40Paj3j ߵ )*WjS-8`q?}٢cv!BLuI=LW& |9ȳ4}6 =;jiĴZ% 3̶-$8N+q|YEIuz7Ɵ=vcB^ C甩(c"\ gT!ލBʩsܾ_Y[tbip[Urvlu YXoY_*3A0m^]{oR|"S+ϰ}]󥋕V!=p_V%9pG=_&@B~Npn gPN)aRFŤ~ 36f_'yԟ91EEjS! &B}@vqh[!W!.qrނ; `'Yb<\ DF ƺ L@,>\" X) w#({(徳[Y(9$T  do~k8NG#ѹFBTslD.#',[WؔYݻ=NvxұI#}NBNG蠶5Vh$Y x}#Cb]"5*ch.p2 w^ݾ:uٻu}4t+D<9;Ξ틋9й{M|he˻oTxQ GGo/8&y`fPEwa }xpaC$2p zBͻںâ`8FK2z%gLc5X Q&;:3vqnwqnhCok"$w7zF?󼛍:51m~Ƶ=(8@on].^G%HFS&%+A2 bOSmxC<'UXjC1= ˘s]sRW~pCG=BhBw*{aKzYe1M*vֵBMndЙs[:‘d ~:xi/g4J)f"i,~t] ALy,!WωnAdz"u3!{9oL臿aO3|^Xg-l[@zw J_TnKgy1GB)ec|p ;uƺ#o#rž_\tȡO\rw\ 1'WФE_w]^ᮑD^V\Jn:%C 49.IQ%WsewzFRF1}Rf3j/'ؓFcJٲƔWx=iCR*OyS$'ݺHiR_Ko >n뮟iyE?<2;h?1Yԁ1 C!&Cb>jp6Ad WW\}6ӪV} /cmQҘӱr~- L0g 7m']d2pJM# V߇0o#ϦRy+?׽.EL F}'iiHF`%ɕR* 3+#Jrqgy=gM׼.eU*6q~: }]ES2~2`u9Vۖ7·UEYDvtCVܘB,+O;Y,T7w¨ӋGUVFb=T1y.޹x3}y.0(nphT>Q+v=dpp -ᛗ8>Ct熿god&(7}X]+-Ct)U(X":A۱RW6'qRuI>Gğ!מH!W +9;<._͎S͉ (?p|<;.\E1\Jk6 >Zq3wos߲'_!\E C̐0e&r77v/ؼ5o6/?fx?Y/OkSW~kϧ>뾳6Mw~swZ߸sο[ 4UfԖG޶LrϱњNntzS'`ʊ?k+?o)Z>Q*S0ZpifOaBnOF)Q ޑA1+t s~(Cԭ-n7t#< 7 TIy橐ջʖGhN XczIBk U\VY]}>ꍕA֍6hmAʒРu݆x_*uy묪E j_!zAkؽW~{8Vo~h _RKχGus]Vwo>U㵾Fvq٠]~W[/DywE?ef91Fm7zsNoA뇦_ѲohZ궻 2]ޔ]ݱ꥾\AӔ[JK3˥mj۸y.XC O`mvi[=U{R'dz~ⅭF!6h>8ܽOʟq;^㭃iP>z%4ews馿CӵZDlsTovlnW--l~͵j.W*O0 nZ2nݦU7_Ɉʍsx|U%41ִ&>`L. f uQTz '4ePdM=ծ=xIoGݵ0AgV{}T~Aj??]$ S~j~.Z5Um8*'w&V?Opfdn.71ymLk_ПG|w' <shLOχ~b; x9lN",]`OP'+]_L?3Ν= Xv6n>__A\iVcQ=2C Z?\ܽ3w|L[tXPuS._܃LI8=e,; kdzC([A(k >ۊeLPR̍s>:ۑfNYa &]W7m` 63V}-J3K籡v㷍@CNǡd |c VɔӱB`iaxEa9gdҜլ.ŶTnj0 %0X،p&1$ޭV}ឤ{L$WC:Lh̴ʙ9c= \1aj R\av7:2mӒ"aԇ^7R+1stDCw*ķsJ7ӫkp }mY٢hJ|qE:d =̞Jv(K@y usaH 4ӹZ? -+BbtրF菍~M5^vw?.bG &}LB$xW8?ʏY6¹zţߏ:ǨP^ ~@Hs;ϝ4.a Ever=KfW#('1bP|wt6S:hunk/Kf,"1(SȤ32Yn0l_Y1u\f这J*E+ei$6+IO3(uuĤY hҔa.IYa&~S5W%KTn SR7Yͫc;T0ԘVХGCh,DxNCxm=h/ kҰH?(kcbq7k;慎wJ@_ >dHޝ |sjݽ6cs-&uñ9շd / C?TCs+DgwFm\PM$VXdYbmpr[Xؒ+ɞL#58$'=$ʑvݼOCS[ o#ebE $/OY>i] 5y2J㡚ȱ̟n90ok!6ذ6s}GȻ;53iW7r|W]6a ܐ,?βɌ"dG]Z:Yؿ;'YDd:q{׃>ų#%vETEhCt1k/#q:s+tKpm&&k=0iNIGGۛ,FDEAQpPell~$89aM G l2p !P1ȡŒJڗ^h$eU!8qı>ΉVl i0lLW>}`JD㰑0$~ Sl Ҍ#0W<՗}M[|vB^M : h0'LQn>KsEzaN"AYՌhǧ:JPCa3u7:o2׬ jaV&0/}Rm;YN2=7e^]\")1-x7,pV/%wZc0v0HIHm/RyiuE) Ꭵ9(&rӶy) zөO"[ G ]yכG3[0-V+cpg/&7rπtJڕAi, UP>0p$>@m᱐ۼסZsXc(5 7 E-OU} xScdǯu4H̻Y?P0A`Ru("fmmsd,$.Lش[{s /ucZ UלM&2A R4EnLt4O`n"37L 0CC9R4oQ8Fέl S\W)+ӧ,Wʺ uԉ(:=mZG8̵r7A V9a,@lNGb'N%W09*1nd--8%Z(:YO{i%Ffd=|iNȰsx5r t;/5k⩖p3WQ~enerэ(7>4F~Y ܧ0-;p]%iAڔ?[z_ޗ攽qLSuu7|Y?r.nBwok͂>)(,'dK{$-- &YyL){m! Ui!B &r :f~,ՏB^u]՞[`Qq/?ޱh5 1^:_S&A/)94P8&ǧShtw{nq/:`:l[d% mx86Q mM̦Bכ*Wx( Uf j)TI P8.7=HDLDVX%J1NfK}B_yrEY/[s^z=wGyP1˞vxn@ŲR>qf4cQXژm@HGJD/aM X ah-OR# ~`)҄:a2d8yGҤ۱UڋFOOy:H؜\D*_]uHCZeNX}Z7IddBܼQwe,s%ؕj0(VaaGݷR'yad6E֝`e1,;mwx@v]S-%vg+u&-#"_txYzGB}Q G^u^qa--fpng'`.\x" Rhآwa4H^R [OPO .\j4@ + s{PbQ daBqOszN>TwO`;>dT%G ߒH?Z[KF#UiߛVo=iTJeKq9t{=oGx;_33\p0+2_}U,+Vt*OLFqPx?uTuQ̳E`QSo|S䱖Inχv]=+׼6=S{!6)8W+g!ڲu舗~\*(p#J/eEC y@CL6CFnh8aj؁v F\2?LFLi Zx=Af!Tg(]_Y)+R?AqB9*V>g`̨e!:- S1$Đ(lH,VEe LE ob@(/{ʑ(ӕ 9ߥ1(jy"7@@5WuH knVQdƚ\a@jkgH*Е0YyEb%~f*w&s@B][~1s j2&M*OD̉|v/Ve~SzS{S{SIgF+X@O)|Jܖ>YwPylǎ(O2ҢrY'_z@yz4 V'vBL̊`eY90!֛vV~ e|3TźRplg^X˦^ʉ̉Q%]ʔ(biC{нT83^>d NX`8*ѶaRoJC jL3gNXr Κ>r\*@R{l-A4A+S x-8vpؕL!1R +[JE0L N[ ϩ\rQ< nCemP!lDz$*d/] 2e Sm_W@̜y>Zl%05CֲI*V 0@i$Kr>/eQQ ѿYJb1Q\ gEI{|~c3A>t!U%q$OC )2Wʕ0NaiKVtCr6NJc'9u2[I]{M6LMpFT%J0SEa~e),ŝ;?1n2X=.t :<gFM|8Í3hdp|_ͯ{lFu)N߽zNR-{/5oHmB߷#{*.n++oi#iU.>ˮ@?Ԛg!uڃc5{C)zj犳O j9 K [u[QvU菱8L/ݻ#McKR!\=Ns M2^'Θ/( u/-uJ+vfl9 r씎yJP)^i=N{1M9 -eDy DuAJ2^DAc ̓ՕЄpQIQϔ"CiQ+0,|k̓ B P(epw֒LRKM@.ClҼ٤zA3',vDLh ʋD975z0ngXqu_^3 ('x)=7B$LFUTΊ6-=<5vQ. v-ǂ ԱlIP 7 %QcX6RjG Z @T߈zcl91I㱪z3R1'uѺ,W)+gU?;(iz@*z=u(_1X8Mf9&[k} V;~]_OLinоAƮ}NAtn7EY*vYv^LY[ۥ:pv5n Ydi]]gPdFǤ;HyxNϳSlIURݢb7\h6}$eANgG_(1=UiIDrY7~ѷ hZjcP+8Ny$ m஡MTKX9Pt t_)QcVt~lX!7ܨȎM|=:,0q W:r_V=z H *ݖ<ۑ~_qc(2Qf1$7IsJc圃.Zu {͚D#$#-u2 b(W]^}: ϝwe-9ip>-,ח"TkY]_7ܯ!QeR  "~%>8%чtCD$Nf!Udr6Yi]rI:śK rʾ)}nӪq#90tSJяz?ǩ'L!.kS$NʠsͼDMr;Aܘgل2xb̬t*K͔0S\%3㳾o3waϊC)gz_"g`R)2S2gdLiτbd3e3;Jݧ~8:FP1n#W;9KPLؠĄP{>[ !yy>ޚ!5GĽs^=nJy/p1FbdſFO`k-r|pŬI*o@j`eC2ʢ? ,!&̡|D=b*T5H[;n*/NW1Oݴ)V8[VM{bt ̚:#1˛Z?t ~et_| $][PY,+7լoE^Y"jp~J"_&k@#sB^3jI, ZJhrBe7? -8(#Dezj5lsW$xrVF#}n>1EJu}^+ = %Ii E/E>o @&)uVZd$Wjg\hnKƖAi+ə- ஆ0պmaRA2.iձշydYй=%~(y,'C{I?7 >P@;ɲ˱mEt,\QX܉HD D(B薗7=(ewfu+MÈ88%>m%^ k _~TME4֠[JSR L><@Y0ޜ{XI`,ˇOVR@(u":5(F=Hțh+ZԁoZQ91po1!w%G9vW+._ $ *Im,v#^oM-gY(Ҝ^&/SC?*ΙH- t Ro|iRq_/P-#]dP_t%Es/O%{WHkRXu"Id΀H}`{>G :e8pf=`:ݐ gQoU6ܸ+O9QY%+cΆ8&DEROY](FjHp/8rq(:߯Qf|SbJd[;Fr߮( Sʥ1>ژFNځnM6W@@MtZa@CL3=8"xWY ? VKIleT0QV,Ɗh#7I סE@@/ms}}_Y~A#5{A м=n['NH @R$d qm==L=(\\rR\q4-~^V ,c7+7(nZhZb0q}[ΰns! ܭݩjQc!^/Np6Z˴K?s}Q1-Fƀ3y&Υ8 d'V+]a ܞ;QDKI}(Sq֑j=[D ,08 _.ա'9yAN/*TSwHiT"AZ]Ө:z~ 7]^vNXF &9Ƙ yZ,l/oey\pJG12S@H%LiO,yѳZ]z&f/>a30нE8A7ߘxU,IP?hE `_nDذAI*}7X,!,c z DYbA<_`{MMrlX ڷaL !he2zw ݕBvh4LXdk`L4@(>zfUҠ 2{l B"!eB50jPeՄyf ,x=2hCxwqy7-*b:wU؛ ypY  s1଄R_u'^qL0 KϊwLnid3Kc5BE (Btaʡ۵9 7.+ϭQ}8xkx0>'\lԞoIawjBJy_[>{{Hmj $ۙ+ȹ` })edeJp6ad8I%wCä@ BefuXמl,CyNLq. : LFd]PN^:U vZLV?!@htrJ=Xu%(PfZqO9r ,Xꃉ]NH f}`0;L^܁1 zkQdyNH >^IshT7YFN5վ b {%Wr٨j};P=*XĔ}Z =#2A޴UrJ?p2ޚ7`l~76TԐX.D'(zf|A<s&4aWGkeKe#UknBBU6p2Ei璎PE"$YBM3e,WB?*9jޮυr,^XeR K .fWCN@uj wYjبB&:#oa TFUaz7ˬ-~ sb㖑-S}d1d[%D0!B Dp!kf?'٥6hd7 nrxuUΐjHgKUV!ϖa,UY=eu~,E><>554n,b^O$3y̋CX u,>[q:uvRcJȌyQ]d*[Gn7r,L QCg'1u\_~JKwnCh^HOtHY!+<#-rE եյ0YmzFX`2se#`ǯk4wѽ;,$S8+9)C}Nu3w}[lYK}96ǿ'\ &ͧ,_esme/8smuwy~x%C/wwZ@q`[/9N^9#UN @3m]CӁ:gƬ"Y/k8鷺(wTꄘP55ͱk ۏNpC[7Yl~94pXTяrI\ΩtTT$jvVSL/\p:9]Ι&\&.9&N-'R-}@%*^(t H[?m8v[df4`@H@7}3iD)ŀ'"DL0N6GO[0jgq$PX L%՝S^CC1ǃͧsy˒۴TkmIuzdP: (7BOMeJW MLe12UA%{k\m@_֦'>2ᕔ#K$tDeBkjޚpk3dd"K٭"-JZޝJr$k.l.`'=/a }! OO͹:ߦ~l˴ =b\3+24$& dɰR+X0smaayuL@Z軘{_.b1`PC:>+2L$xY UaBܟW)3yo+uw%z"7glluwhN$f UXaK".*>tW#Hw~ߌʇ3Ĵ׷ǧϸat;H@VfܕS]k18C۩F [pYW 5͇v;971X aauEd "S,Tį?+iARC\t^7'Pܗ)eOY"̉Y+Nlz6 ٖ癇=[rfZi{k?wГO'^1"l|]T+=%D֚UΈ~cC ?t (UñOLj(="PAO h?@!#U?6J <'91Yd%+3uEEbNzh$FhI?W߉|֫%GO;ԩBE I δ{ǬD>)w6 N[v#^$άe+\&h8"VJ֏kN夿鎍&A?T nU(up^B,w+6ϲ5.70 {|;{A!'K4t׶@تkSe2-le*4n]Ic{fU)L;,k]*TdQX CO¶VAs'7Fߤx-DDvd9Ssi Te=f(4dWv܉gLOzIdPe١ZMؐ(ȟɢM~'F0J!G gCbss`9ɾ i-$B=Xm韪EwHr,`veb@Ђ,lA~L`~MUإmQk[̈HF@ֆD0JkB ZnYI2^qPgpOE Bo2ijbS:ԑ 8T cpF2Iޯ' FHr{*h{UJS{&@PPOC%`[d7FoF$2iJu1ەSU6t&XpoLe&8\e'W]Je;@#)ɟR dz%Leʕ6cDn:4fTR1ʝ|ҺN27~3ʕrVJ6Quҭ$  E`B-0.ɉb^[bm-g]ZuDQPǁU`zSQR%%bƕ<g>&W۸2{rU66=YIJÉVrH9/s#A@,3L{^H qCۼyqSf*Y06M*]&0ҕ^H۰% U*P*n9#EZ,uW+RZ?Dz3RqSSM5xP#5 %z@S6ŗq0 *S1Q,oP02zꥆ0̪>k[zF`aev5yQV>4ח]^ ~ˆ ǮВ Lջvz5آwWPxR(v:Z`{nH)[ !5aCUxJpL0tt`ǂLBNaFWŠiKO-? ٩|i Ùv-KHq8A/!~Xa|ܖqzHȼbwzuInw%t.y?CR~-P.~p4#A Nn5rbv2d:tb_w>sVI`|Et+SM3t6]":BVW^4 M bL^!~[KSCW/qV&= :ȟanO刺ڳ^7'm`5p tj7fI雤(͍BI ։$G}r )A{EP l`qAf>tUՇ쐎!3C "R.*)nkG._<"2dr$sS2@.ZJ%vפhmM#vSS=m8!m~U>m8+c ^OcQUY.F)kEɎSL)R&Á\?lf D p7WP232GԧCPÎ;<\KJ(*1eui\!ϻdw17g0⯜Zw95K\*g0-Q>>eZwz H "%SZ3RpLmn[shj+gz #\\ᄑu 2ecppHl)y216pKӨH He(8= m?!+x!~: ~'Y\f(&,Iy~{xSdcƟWi#4[ y\8USWՖnLV*&Xk`6Y=_rmabHp>VK`[8vu37˯FRY`[SvAUq0aKLuפLK hbbeXJ͸25(jqhцWH6s͒0KZ+z,NԽ,=!`Ƃ,P?QE)RbgzOLh3Q3jcyⰪ/:,FY |٘3'7~x3ۙEo/[q/wٔюތ/?/&wQ\hF͙ڣ7zb_ތ潜maË~Gi6Sr%ku"nru1ʥ!3#ra3*ndP]e%PU_PdEj:xdoO\pJL'm_Ojilci٧5;ш9$$4>2w2'΍rUd zϿޥ[#tg&D2dJ%xABkß~VQlmK.:1A7Y$w|Oû磫?|FjTXi\W_wݝJT5?f=\o.^"8gj 璔;V>+چ'f _Osczfj&?hҙGvm(a,NGJd#QחT[tuǨztjύtӉ5!w҆7Թzn{x|^yj|ॣS~/~hPMB7W ­c5/9;FIE|RƿsT̈9gaCVϖ)35OM0؝o%U+:Ih=n4w:]]VGRи^ S(Xnh$9 TCeh-d$TmuD}s2qj5}bk'*CޓzZYɕMwi yk)X|[±wNw&IV2S::7OԐ{FrCٝ#`B0"/@πI ̗W /@Ps|͝AN{  gHk AVL (qe3@(-*Cce`A_~Cb_8?~ n/Bؓ{!.TJ8mخXNZ,UZv\_rc%-Ov\6ac 6`S x"GN[ } (mttyF˳gOl4.`E ھlA/7X*5p֫eb:VxYgϓJlv ŋ N &ŵ@M@ȴ\yKيaieIY gҏCS'J둙>>]lr7 X*ϿE&)-( / 37`=~k%VSվ˦L;-DV1[Z%@2j;d? wIUiwlCEyi>bBB3QobhKL?§OoBM=aJΆd(v-SH1r/dwô^MIs .@M±KI\ l@t'֖ܳ|Vsv\"q/'QcJӹlH/~NK-8"+Ч;Ƨ=`P;t=eY1 -cn#Q$ I7ې"+?_թq{wXD!b*1mY% Y:Gd $od(4Կ4YR7[9ưyɒd/n_+O^:{er;z /3uQ3aH:m+'<.Xu~O0B5,9=vMsg \څ3Pa yxOKɊpޥ@g=vW Dup,Xn<\NP } 45L."7U }u\e~5*\fv`;X P\fy@}jρ"1cZΘ'_VY%LP`'t?mRr?!E#< ٷʘ.z+GB!NE Qɬe'RM|tk!)L8KF-7Gu9?KEK¼h= ]oC&J1CT%`ҫl$2:gBڗI4>ux4XZzaB[MOVY^sAyhmI= 7#[]XQ@)U> Oou/%l5S>Y1Z1}{ly4R_̞M~y5ӣU1nu{S9|E (* T!dc1ɩeB<)P4=Ho_{eaܩJV3ׄuay p| _&{+le~I\Hʔq[iB .6X Vޏe6P6{끝n",.| z{Y'midvz|-G YZ.ZE(8ivSMpH#huDgQ x0n2{A?}8I>-qSę~lPn}rPfހMx.onr,x ad ۃ6O$hS:n[\"]tNZky͋̏[-nb㰁-^pYvN\d($Ng,uE\f&-7.FNAzL&uGDžPy& _掬=b1mh74D.8kqRB>*2SD8 zȯcP0/a2@"PC%bHBl~+K/ MJ\bMq3#P /NuaFيJ޷YxE!UAv&BиvAX ǰ.7 XTz^VȻ%?TehqNUA땿+ 66 x?ދmMឰ:L=w~:r'uť7qelXsߦ{Q.~*X#pR!yt` bTr~wfڻ3r , }X]{(aO?<5>dY6>}2ܱ;JD! 8޻+tesG\b@)S;kVWs V早 ^t=у]T155NVs]~$IJo]n*לm-4!A~Ucf\bPD͒T8iSf\ P,M-ceA DcC ]fܐmy?z*)T+{ o)Q*ӨJ'S#.%kVaЮCc}&Ϥ+mX`g7ifTbbY=I@؂>7 CeXzBnIx E!'[K%5 9ƀYKd1[CQ.4bcdZ4*9(NdEσ6 p'P(a΍W0g5VA0sЀ (FA{*G d:n JKSܔ4P~(IƟIAU߸ƛ Y`h ܺT`֥3ŎGoM}݋YrF<ɽ9RLt %\L,?vy› ^[ e4MyY]0a2^, ,dN7I7ܲ\`nK.-OY^;j.f{^+)je]dGZ[Of|xB}"d?);w{k7S *;Rs} =W`4Lh[ͥ'(l![ &mVBΊ.XK.q2\ := p XN,5wQ_.{wkNok`Ⱦာ_4My){.n̈́%V!U`o-p&Y"˵@Q<t(&u&ȸɠDzȎÇ3@8tK/NWh-o7= R0e([k:n%v^?8%r\]ɑ(C;ڧ^ks1q=`O<\HZ [W-fi`G,*ɮg州9]suA\4k6㉍^gru.ٚH"j[5H)l<\{A_#FcڄúF=  NVE?dVZ!)wD+ w31h49EO8Ɵ^{%/!:ˉpX"k8~IrEq Xk%wߩ5@.I-4aMӝE V+d&@-W Ə^s\#Tͤ6 ͸m4+S{w|e7\.* Su-`2Aհ, {vŏ ʁJȽu q{x쫘Vuf[\lyq7po,#uJ<2F!v[.L_TR]|zdx뼆!?z!|Mry߲ln F/$Nߋj'p 6!S Jmս 6\#j @O83/5rCՄL,hªsP\U,L~w@DHMF#}ֱZ=I]#5O*]c$zC4P ?ͫ`.C7͑ W p?DuPUE|)(^'Y]i}}8BД:m1l=sur qwu~,+E}gg![%565N5-B}b6Eb0{TH`6 o$UXEA잞%nYǜXnrG_6?~qf{+B6Fx9O)?a$O\6wђ/6|OY5p@tfZM^e]C=h]A>5Ҳjfe;x w!Yȥ<ڵyv -7GlތPn[K\u凪aw~ Mc/ g}@{yI$tM Q@ԳkA6YMѡm)E]u.}d l`% rY,͡)},y`^|@(QĄxҨ*gh&0e.[e#^km7OJ%t ~jH" 4@?!r^79gB~}v:SPtIkK#zcbqDTN#-"ɽ|0.cܞ3)o"0w};ҵVkCنu/%>aMqx;Xw]j|\U@G<Nj0Ktdظ.+B ,?7lb!H'_|2}E+ 0~7-^'-"OyIcL)2Sa^A+D ]z+%u[Ւ_t|(J-,f+cV$L cZ^$s8-{ G ]AOgu{Dסzʞסס:{\D X ݓ#;NązC¹BS *bИ["vfOu l ysw%O0#U@On'4ҍo'J]6Ahk%Gz/+$Rr $*l)`V`iqQ!'H] veQ+2X=Y u MW3`V7qp xu ,A_ Nb- KnwK՚Ž+ ] Orfdvd0l~eD34ImQ234s &.N2) {nf~d2ɊDE4 x(,-X+ܪh qe1ԇ UpDp@.y@H$q駄S(1&:FU,CbU@n  77W}% 1)U7Ro@ "h^‹(#1W&Dc]?1KYW)t׶HB#W5*xy2&X-~l=uUh=ޚ؈BR`&F@ .;tW Es dt?9RdY7@3f];Br Aoe)s}\'RCPɕ`? Y"NQdVbR,@c9~܆9Is; Wj'JqTYrD_z7Ց%0"6#WRKكMXCRoZq2<h|'sr1=oe5k' j#ûhDqfNG(UE(Ӄ$̆\HAY]0h'0wO",FEVp4~wV6ʵsv#5Gι?̓Hs"QGP$u 3;d7RIp] 4XE@:h/ I"\g/y1GVt{ g$vjmjQD*s: ( ڤр%`O+s4 6Mŀg\hυ{lP\RټSa.y*",⿁w7J@<4h]ZWVW`tf{`?ضnP햳!}gLvoݮp]bKed~(h(;ڗAej>.S}pm @cS'A'դX -jsl!q5 K $Qque&Wݡ釈GTHX-6"*r +3Y}vOl`+ SiF `^ש(d=kUCKۤ[SiS3ë0-E5Qjhwb/aXyWFm84-r2K *ALm k4Ҙm u.[g`tgG hD|?Ʌ A:-ݭ. L.9"&LGhMNS])ǐ))pkwJKAՕ)&L71xxF@U ?Ԥ=2]DLZ4(g5<.th߽lf&8np:bF{m[$@I4\RL%s*y' ۈy5=6  *4u](2ϹCDNγ1~kCuPzKjT | V^$<="zVqG1 BTr7y rݰnS{3^#S(]Ȯy6@I#] c:KCx`&۾Ufi晥8"QQNj3#_@*OXEۄM<~(`3vFGAcH͖  5aw H35O WXG1y=G'~uuocaml-doc-4.05/ocaml-4.05-refman.txt.gz0000644000175000017500000130630613142673356016366 0ustar mehdimehdivYrefman.txticו _Qz"bQKFrnxHg^)" H‘6ߟskA{v"}cw>OLVty}8.ETi|oxt?2:+8gJ˻ULMc\div !Yfi/A|dyuUAMZevI2g.6bQ{|6~e$Ϗy֛umIgitz1e>/%E]?ͺ&z sx{?癞a %$[$Eaި?(u5-:p~vN=x@OdϠboβw_>jL+2I}~/7>w%fy%yYVlM2vx#ܺD'{1wqx&}=tY'TAge6}̛S\}Ǹ%fccWY޲cEYsϼc d0~-MUG \R5-9|?k:kᰶc\旋dB,?9FPeOS*]k_:KiY\#XbVBDvSh,/bZΓiZ  g^@}YQFG1^_l_;vYs)`gDaZo\dؚå9ݪ/Uߔ)vv84u07$]t!=>3oC߯d Ǫq0>0@-ڜ-`C߄ۂ4[@4yV;;_8  dBpݙ⺗7ZWp$$8NMg|4Cţ·$zh{v}|qJְW;njv|\*N`q\ō{v_ 9۬/=moy yY&֗ w `k >H/AfMl`q "H+I]\yHBUxfM;05Er# Z-{8Ns@$%tR&pH[tz½dRUSu>"bb-և0拉YG#];£`m G Mݩ>}0{J +LZQwmzHjSWv9܍i禌9bӱaޮCZg*1eHv |nW˦ܜ+шEf%DK#@/ѱ-_uHc8. Q 2%Gi}wMKTsUYn8qZC% K@cRLMi?>erOEAӱi$~dgb]RxǶ.Ve38:NT(jW Gǵ14:fyktSe}IILkZilVs2 vpk: Y?ld LyR^^d@ʬ?ڣbF1(/)Ђ{X]+}n]!19b&'O\3h20:żz& - !8v6whL* as^(&J8YޥEz5Ylڰq}ô.|ZoYcOxOq&3Y'pC_IslH]B*_ =Y oHد;Ԙu?,2<79 ԒX_@,GƑ#Կgm^&'xo$f)peTDߠqӢq]ԬZ=s}tҺ}t |S,]u. 6"#sdLIm.%&k 瘀 t ~KlzH?UB3y_Ski gBeT뢾*e*m!ݘE2%nn_!'Yxo8]mp.i5;~_' a!}ظ"{q1pZ+u+f36S4TmY]{d7G,9t>Ϯ{ d-ed<;ڙj>tsy_c  ۙ2=/YŚW#ّ8:bQLߵE/5Vɪsc%a9MAbjޱqO/Q-i_n7z}Jm=1Z9%#CV3 .se&]Ał7`U%kj_]<)A6ʱ >V(5sٝfwL+.im{!ut eb& nռ;ewk!DǞV-nEQ3t ~NM*ӳZU T=eռ˟F;^HecIۇ$_-')vkg!1oe ׎拦o6xr[`9G*o=-lk3.Yx}pyY2}gd?"liloxPV}qbϸη!o_r BަM>)Y7id+o}u2Wi)dk6  h(jڹQsKt#_$7-s$f^Wn :NT†F̻$V -3/'.j3rV0x)*GYŰJE݆̒LrHZ"9y Ft;Wh* q:gw,ktNZd<ݔpٴ8T^oب'd%FY^;eT7I4PRU&YvߓS]+DUaj#f5'peђR=}Nw~?z-k3-~ݹPPVR†R u%,X\&yvEd:-A̷\ʸ^thGpwwX;񸣱; vm%,l6 f0TugaZMUC}6zCA<$y ]7tԲ}@9Y E|ވC ´&-EҜHy6Zin䃭yr-z_¦TS6Yt`A# dFRoШΖĥNIЎrRm^eืUu#PЊY4%c`ON-W~g[|q87֦ ,w휸8>a z^Wៃ-a؆bG>E%9&^O~K*R[Cvwl9{*²]3mbd T9l̰ =M|"khr6=s _lWOY}jiC^;|6u3ݻ/EW*!Nu*Z_ '"#ߊaWP~7I?d mx J3zlayLK'w!i.>O*X7%x:[dIp.!p|WݬPKHZZsD/I 18";|!Y q=MAZbE5?᫖K(xU%!pSsٕW$W,ƒ"_%,ةR"aϵ4*xL<xpxp/N}`v|ͼ7Iu߰R3x^9Fs߰R .5Rf/l3FK'ƾo$[z&̔iʼܟ k__L3(Zc*Xu/9poôS9tVĬHZ=\2,1n5y+MBZ b,X;9[:[)t߱Eg$ xDrC }АhFXfWJ/e VD,l!|굈Hl. ?a}QOWƛrmQh3MtSqPB9P̡1=3X~FJDDEh@uZujmmi`W5ZbG鱍1Z A/YZSř\ꉝ_}}qW@N \+^iLޅ.~hP 9qum 5͟H'nh-Mj'X' =\4KM n}LC`0/,-L-K_վNw9:/=,e ▯>Oܲny_Mlb\\]m|d8aZ{<ŷ;7>Jcש #3ԂɳeJ`=~tyi޷?o7k1|CrC@Ylpp2wo~|z\4dw 'i.9yU7_BT"7}0N;(2A_NpdN 嘴 x&dkߣ힅8ζh}+w` ZyA9i $WtEU>t7 2`,Q9B/Y !Ga?tTnҭ~LXm ;4MʒhMrqʁ+[;9Fg.8%\TA򴶝Qh3mUA1n@c̗KwRt#7pS|W6U4d/ט&('(AX|~A|Е_`%E+3 :ޚ9Lgyf)gk-%>MQ Z"z1Sf-:p? űh2I("1,+y Ϟ=Xn0pO䇄$f9tmL#Yi 7r|W%0#8a&@aw8Fys$d7Y" (Wr0ITxPfӲZŽ 3 ~8MQd8Ԥ=zpdQ3|+?|Sb١AL=V1 [F,WbAZXn@b̹j 7i"2yeu)A#OCPw!i1M7MfD AYLܧ'Ef 2:x[l^1 W@[aW}džzҙ4i2iv]j'~4-Z,VipNH6?a/F )<' 1 ic\XT\{$-SN^zAH E,ѽFa͏$P+{w] G[8,4(ȉ*]#0.b iYt听XC`~<۫D8îVq]?6׷bvYML|ᄖ QWs;YeX*1Kb vq?Ίb,E &3*02Dї}DU,W eȂTsd3hY?m1lNo*+J--{#RTTGގ,7<쳕Fa틞G#{ZK *0}cJhԹZ 4Z Lɶ紂 e&s\%L@'1@,xtYPt€"<⥀ӫ4Plr A dJˉ$ *V{Ckd8z(Ca 4ah"ĥ)0w5-kK9& q^R5\?Ǐ#JSЛzr8!h\5Й@\d1^ ',a#dN4#RYQXcdTtb]˛kzZ c$Bɓ;ǟ?Fףw-~?=#8* nǟ $x4<&@ /O`E-`xh\i+ב^~^ S֏?j޴[v1J ^D9B`c)Y4Lt2CR8F6#O?V2k4W'nBVF zRψ| 2X$_]sIyH6(!ܠ$9Kģ'"~(b06ȕBK;'||2Ձ?nR2w"' q; @śPwd$gZ+"7O7=â[(vvMOwi t@Qa1;pi8y|'_-ALOZViHx%j-}#ѽ Ș\?%I)0 4>>Ar"o^7DKf4L$8ȦUlޥD!2"?ԂOpnj!߀瞫HmqoET^⠏T2lAƥi:9{- ݝCxsUN)[iz:UTj?tͱK]YUI{&Ҿvdwك{S T62f4 ,n0-^}jP $ @=+sÈЋ l`<L9}QXwy&rX[3AW6/_%ky*rz:!vbᐭ5~Y8٤e|Gx5C/bC*ճonK`8>~?x[7(<Ç/d _>&)ԅ X#>+ҊesD-ѯA&;,%(zB%Mt;9[ zV2Rj*Wԁ!R '%bˀPPo;?14%I4reccw><} n+ĖyܻBIrvՏ;Qn d{@& C߅W! FO>n5 уޱ4CE_8"OYœ!o[5v 6 6M[ 8ݝ29ILj /QS3L5vwEr%P:W(aKN9 p~6]Z= MRQI;\MMC,&WDR( 23!%PPƆ2^6dBdeQ;'>!rG0_R. >gvF*fvܨ=m&<7GG@k'#%Ǐ:}_ ģ>@'M]qVreG5 KtHh 17ʚ t"Jcb=DP 8,6 {w^۱Zpʞ"騑I}XW-Hڥ([/PicS_HO0el_s#: O+؀+a^FߑR[@O9/!w9*F>=7~qg; ~ibY 't$zz ?{i Ko3cakY)kFIf1#mbBduHUd(f_q '~0SSU @6j_19l[H*[KN9MkmꜻB JrWs[[ T%m ߯b"b5Όs~'.}oi 8*hLu߳6_(AR܉X@DCzu3 @DiU6qE%Ņ:'b,m #g3O^:œ]p,iYQyzL2frENv /D(rRX lĶ>.=6ig9Md_x4>bkMʓ`Q/Ȩ56u!žtr0rw[tEbD1] IpF"XT>qH_{h!f#Wt+Y߷t`S_4g΂Hb( /` Oim}&i+ڤmAq#ħ}u:U@ OYa3ڊ к.cƑ`%x,Zؤ*2r*ZW*"~d$V q,t<REM(iGcl"WW#>qs@sOglUE^bbi`v&Җse2S!DIWա.QzLfρ;v%QOi1ekWsg ^Ǭal%8cAxY^o.@aVѰHvK1}D?ps"tw/c9bnSJEuR@l\lC0FqmۙI >Tph)ZbsFJ_nΓ?66ْڠ 1vbAޢUkt \ԷTYsfԸqr/Z+fUܡHD@$䒴Y*j1{ߪBkE|L AKd'9BBjYleŶ+ , HW },1bdfOQtx u1ןA]:vu4 ߿ ܌P0jlWZ()2M慴)H\#Pm1l4;ey %ѕ,{E=ˎq} P?*ȭWxï[~'[wξڼZUEA2[$eGx[%*>4VȮRxݸdbi%ߺoZɀ0E`sf 8< =/QiĠLguƽ'pq%cl_6KW j 氏ً0]=,0rrV=mϦ̏- =>*(voȡ=E^I XS= O׭ʋ5p_>z,18*lnbۘIbso-9A)}]S;%l`~r'- ԮŦ?@L׺3/syT@؈qX RZ8QueZUat`|ơ.t?ADR>GYs8c߻E1AG FDycb h&A!~|g 8 <6f.WA!uK_ѩ;9!|2/^0=sKT/1@[͇b[N@D.Ŭutjͦӧ[̚]LH~Ù-}u1$"z`#ʩDPkT(nf k6FeUnN$Jց䝪ȅӹ#Da) a_BWr@nv}sΜ'tm/jK3Ê+7ݴ=]b_՚3g7ЃدG;3Ǵ&YT~ /ˆq7OM ym( I#`ܺ:& lӂy^J "lӏWIa$t4W[z{o:ԾnՅhӤTSw4TxLɃ?8B/~cͺtE [c{v8r1:ΞC+i1?e%,;ͼ7nc8Ѐ~ jwKZ푺[ h5-m[8m6qyO I5n5GM8i+:o?a 4R~O=?mڥxZؑv$JRp&K ]`JWw0- Xub1$c`8 B&Ǟ@ w? ^8w ^_HN\ I/v9)G0tp#?b\aΞ*+7IRXii^æ|Wz8ObJ-kyil|LhUex7p F]] Œm՛&+y8NJ%$92< `b>;|w;nv6jfs}\wjԺ?msG|ukVQ4݁Z;^ht|Z fYY2Ϊk^y GlOhbX/j/pWb6npw5k(n Wr =7"4ņcl`^cq >#9GM޳֯۾FkZzt0ipJvP/ozW x9ѥ6p +>1|;͌v|',tk"tqԥ$Au҉\-V$.B@] wh_8 fRC4.-œ\ djg{kZC?]`G-mqKI ?rM=;+F!N d؎{zj^fkw#"JKZ3Rqtܮx9P'AMeJ:V6EI_6` 3.gL{m I9CS<-HHHfRIx﬈y %\4g~t<"sG( $9Q,ڟƪv/gWk!ul *[L@5O&z0N/x5P@X 7]̏]h99$r|FpFkSMKc$sjV)sЛicB*}4X?o 90{ߐ>б<6$zIߧ)[W8KG &^z;ua *%PcDWhFݖӑ3) z=:GJ(2N T9 &;N⨿kdz7Jds@ n($pHYsPo|h1Q$&\~nGbJ_eݬYN z!&uyIN-K`52VD򶎤NpLHϞc&S A|]dDVFKor..OJLpoZ;>Ee]6Vs;Zd!5X?q5G{ x[^.dD` `1mHR1D%TCnV$J/h<ĭ 1#.AX-Kejc"ue%[L٫5ΆvTLU~hgN~3طd, Qi2v :tuL"B5?^9.Te&Ōj 甅= @ Բ&>KP[Owz҈#aiJ"r悷n55v FӪȥݐڗrq9T]~E rsag~ez$CՆC(h" y#,- e ͡L `秧>sc^*xt"$ؘ>sU3[sKWʭ"@N&܌]JPi]r2l͓h=݅/:`Rfc!S-]++l̈ˌRm.SeZ7D^j}˹5ޝ rҎބOc52τ~ƠcC#.qcָ'O9YT){`hm O@LOxn332{cuG}K2W.getVUU 5Kz>ƈ7)8#F'5\,;G5YTAV4A760H=n(@Zںh*쏷ihn t=4mGqv%}!1h.:Dan֮kLp1/[oԸ;<2/> ڸP0Sb4^p:"q _å#zJnEs$ҨS;fnŅ"o-|4iI"`[۰r81ϦM٪<t1 DN@C~quG amM@oХpݮ ӃIR='0/,xY߳ >Ίg]1l_쎩0)%s$gF!L zu ~xyU(SR1XUU;T1(j) FM1`}#MWu MBn?Q6zeɴ".SSrg#t`=ؤ[P?e?Urr4\]:M7C;܁.jmcG_%Q{ګ07/[r:UYt8r$u@ %]?"K4Jؒ43Ĝ,91kCY)j97okZ?GWǾXҧZѨr1-%95s0U>p]0zb! qA&'Ap52t94m8MvW.Hi;1f2pNA=kR":iOPQO &(QfL5CpUY =p+Tk aZ˯wZOdp(kr5'rEV-C#eVu&mgwr)Qo1c)MA*ha_(9d:=32O=V&u ԾJ)J_MVvf7Lk_(N=tR s.trVȝf=etB2r"CDRQKxjWc% LT'CW4YQq[0}g]F5e05=*uW0El)|IYިKHKsc5# DRdXXUTk*ۿ%'[&\ME{R)a.'@5pHF\2`Kl36\w~°gIRᾢQ\To/& E&O# q ZR|G/ѫ#zMU8B1RDֲ軩NY7 5T'gAqiXk+LU{LXH9S L0 C4~k *V)pDy(= (DH$*OZfk+ 2a bل,J"F|v$+a}̲f eylQym Vf/i(pM<\5 )sP;/TІVY{>yx(H'ظl\]C,O f"(O}'g0EL\j,CE aeK_quHY7 @lGpğ~{ZL@6Dvڇj |>&.H׆R{Cx7[)$i7;`# ҭ7nml\t6]hZZ_7Ǧˮ'tl41WimYc%QU\^f=Mr"1[q;2J05ÐQ ǯ1P UCaO5N1\yBhC)\NmU\v``: qYR?Um:bNl(9nugn }2ČC/^WDFE frxAt)1xt$֤KN)!* w. ^Vבs(aˬ_rdb{N/NjO IG!H@躢j9_: Qw#Kب;!rr㥳r.z|skCљ%C ;e|&:d&\$(U}]e[l\`(⡪6KފÇ0?%[G^ÈTx8 o%q~q O$0U$JZ`$3~x-$͈&@JT"4/ϋ(zAS =j~dϫ)юFUQzxYxHY*ϛY a{jkA[4gY,_B%bI.P Qعc؉܉{W iޮV$%C0qq2Z3a4A7fT̂i6 g>ړwGG}u.CU[P0}leix^T=nsN)K o*v_Ŝ zsTJHΥp@^TtkRǩ(C2(ոJ<tZb$?©Ziir<\7kvE)ӂ+#F%bjUxik]uŕܚ&L& U1L2ukWKMaT^16^;h(T0%eB4vI%pRpe| *Ij),)TL1\ސ=EvG+v3.LKV)wܒ<i|mJjΕjrpȇg 7xRgޱcF:LLV>c7;gb|#<%榾=Rnm*YG$$a(+_\kIHoU[rV GVG%'󦆡Hz_\?ffId6 N&?c>- R.]zW88m\3gdKv6NP0~Wj `iQlq&^Yiq|T3:[`ZA}r*g D I,HhsՇ*^Zs՛mK2av6{hb\p8s4VMϋBR`S Ӡ ewa/8Sb*\~ M8ڤOx߆4_rMmú z؆S$: D%:Ѭy4,gud}\=]E5>+'Lro/v6Gm\DXCWG¬8Z0̓@A!0h]bh !i3VXjTs;x (T*77o6iC W ݆֯42=,%'竰+I|.~sO\ pkN?w|w⛼iq 8; IǞHldIq1y JV{^G/ zH+*|H-3 ,T-q3ij=r-cC%4Ogd P(* Tp񂑌N~QW)vQ6> mjbSl|*ꜬʵȔޗL-VҎ}[!h8xm6 8Fr;A^cB4RJaN7f5$6{)Q,pJ?(+B5rdY }J9dBeqg\qq̓ː}`Nm~R| _N9H׃Kp< E 58)cHR7#bM[嘼5xPՙgF5edXŻŔwS%IM60Fw# wuiMB"⊺GK?8Q#cor#j tRuosO ׃qeu'!}AuFF#i43*9QcG`T|f Pz`,1+]d\)YGmXGzu`E!{6~tR1Gi=zK0K9Mennu54" B**?4@E2; %jjqR+X3C I:M=jgی|Z s˗6NLBu)e/u.ąmbŨ%=5?F7Fkp؁%xmxƯ3AɥƸ4ZD:Ϲж,XUyY'YF\fJp7yId8"$<.hxHL>>xdkӐRmͳRp㙻>tr|CtTH,PQঁvVHWGgޠM"'zW(CM#vQ<0ƫFRk Ax#DyZɳ(22ԑsZ.(è\USwE7.~|x]ܽC6?T\ $\Q q% A* 36FH%?x M~-[E8+Ul3XٲC% bVBÌlUe.Td}}a; $4b3G`EIWfHq?G\' dtJz͸σy*ӌ dOo_%Mgg7^hӲS!04ʮ?V]KTvOYa\F]Z'}JȋAˤG62i |rab-6N@!$,o &#՝.8K{jC)UILK@9x$HIT)\M; "-Rz=i5omA<[zWfQzGKbbl?hptۯO?뮥FG}Kлi%fz^W9"I.z"1`*\oK纻Sfgc|RGQ -O6htI5H93 ۂf\iLGOLp"MT`jy-*BzAL;+7}-^dRj୕DKB,dVRRZxT z^y}<`QpOZM_x]5 le1_0~WN*FzuHZժ!9 .fE)*z&mtІYp$YO0 }PFelCtlq"/dYg"\02Ԁi= !"~"n@fC~MBZtսˁ]|I.+EULIՆ*qWZK bka qtqvz!7^#NbHs`ƨk^|7MxtWǥ .N?@K΀qڑ!bv{jh"L HP;n^qΝz3Lzu܌I waᦕ(qD_L;nM9j\CnwiXڼpwR TEXvM?ɰ9©>ඡ'd@ɔY}7j&40WzT9-+x5+ ʍ!Sv,qqeU)xiA]jDYYnEQoEϱS}'S-lk fPL>x\ 2d-"{A4ToR݈a_iJL"v-7'-2YײvkoN3`' Z>;I-!G:$Mҍ ӰǀwXd}hE7QKNHsi ;ӿ 5oکvQs)g*jȡjqZ\~_f,L"D>uZ^d˫Evv~*\BЖXO-,dl[>:g.z\Fae,9i .YWF>$#{mZo8`kt'P6HP`)C-(MGÚZ.Q-2yah!+L@.<\\p{x uNU*) n)~= mw]aT3Sv >E` !M鶝.TRADQ,! z]z(̜P'^G+Ĕwޤ+ӾRˮRU}]d?XT'vMlLuMZMBvBI{j0K:;Ge)Jص:Dz>YzHy,7VemC3, lUPx0b5 w7@_`u3rhuqF8> WGs4 kԹED=C\xFd2ϸ5H}W4F{zYݴ$whG ]D\G{W'\7 \lx] NxzbD,UQhgup=zLTd`4VxE4hm 3JC:XfoI}zM³uGǯӘ;h>N!JF:+#+l čU"Ibbq= +y%r}!:62aWqrM\dp{y% Ɔw5yEƔb3{ L7MS'[yhǜ7&_QS&Mz} > ~+7%z4/ްrD?*]>~`VYs7@tJ{YaarNh4RUK !F JzcyL~Vtg?^w#'qNOqrZ H>Ҙ58F@h ůZ!̺Oɮ{2'WSk<ƭ p3gһ!`P擓(\U2!XQoñxFh "Sw0T$jp$aaD|pqnS+O0<J$ (RxKѲ1ˢZk |Bzb^_F}2"_[;6E#:  QPyjk.+/je ע$^z?2?ix:U)Y=嶯~\䧢_|C=>zii$DOŃA;~֋L%n\!x0-]# V(xNWx|}q /|Hd!V}2Wh\}|Tq{~g) 2@b.iɱgLK<=U?DWAU.QVzqPub1gv)_4TaM|m<\ŝ.M%T\.$[$&L { v(tF%ڈkedL,inWNKHYk+= M5r p]q܏sHTf9,6d𱥬 T)AsvPo뮏1Z-5t9w_pusNJw6'#4( ȑ2$F;뾅,})#77lQ!]Rt1Rhkӌ˄_(a[[ЯmH$d6uqmمZI=& 7f>CU ĭEO͓y?wcVLάFCi*ZB3q[Wi %J)nyvhV(Js4&\"Њν!QDŤq *첅ɗdCX : Tpp,c/)dw#/n7nolq+Ӧ3r㉻ +zp)".gkiK48z>W / ` \q,RVAlXRᕊRxN W#ߙқ{}->IF/lISJlo]VG Mi3b,^vC4.֑|ct֐fu -Б7o)[&ik=Z޼]\$DNN03t wZj咾 qʐnx|:1p9V^W;qx-w:4.cg?&:r&$kSFz5RGwHlH}R!<ĭmwa);˻ (t+"j@ ;ШY~2[$%usĆh&Fc9IbDwL$&-Q+QTr͆2 ԧ$3R34@ӻHÇ@>.'zjcRm E"lj뽜j`[PMCNh:̻h^2).9N"K-F,2IfbZ]}>klz͏6dͱ%ddH:ĠV`++My.,d MD KADizF]ҙءw ayp/PjF+aInÈ" [D&Y#U:ñZ'')st{9[(vZTlB+sn%9ؑ\P. /Dh9+r[fŁ([bL¨!of*H2^l?Lk2[6<'M̘f=%ka=\bgPkLN:тZ}mN9jxW;.XF)~Z A9JPr0 U8\&٭ӒyvGdYr̲-ؿ >Z8E adWU[MC];/+8*3x<q/ wJE Z߸\I:k\(T0A8f}wE"ZNZv;`kgP%?xrș6p )Ss2j_5f8XYNP])q[@']Ku($鄚hy[eUfHesP 3Trv2GeK)FRA {i; g2|Rh3`O=LEזH&dw\1H-ْj@X̥CGד 5T4&~Q,8 \c"t$T /豬scۀ҈p!)?ZpJ$ 4qI A2ޏ)#6=Ơ &$-mZu+Z!5|/p7#xV7NJ'D:]'HQF ,J,ק^l{t;Oby0S)wS#:7Kg#3N7_/m@>i?Xhm!`^/ЬOW+_&kesQ5"McOc\NB.q"Puf 8n)T Xp~_sb1~cc/]J2Rkehfc݆1ުGSruS<;]Â>X?i?*\h\.O`W.2gEXZٲBUGQ]x2YU|Q$kR̙9yG9pVCPBn.l>bvoiK9esP&[%򡍁yUmݱhORdm5e}'| aa%`W xi-iGYL[`1Y۰yUK@]me|b9|N N|`_M3m}vc{U<$Ȝje4^,ނI4Lf,ϖVð*bTиS'BqT%ݰCK]sC*zq( )SѠ-'޴3j F-+l۟=nR*R.}xK-I/hT^ǣq>g+ G;;×>ܷ}(BOY\5ՠbGcDM.@Q2yŶO;Hw ̤{}-M(b;zȾB/*IQ:k %tD44SVQfIrtLE]kkGy[žyÐԂn[D+~&\u)@us>FK^: US7płVɏTkUP"=}\e,VeOkRO|Qco#Bוu0ʺd<&(Ɯ r1d"l5!XQ/0z9Ї2%djh ʂS3TJ*cgiWd# bSdEk "iMdwU;0u|YyZ=^W3[7xv!mf?fmUķBעr!qݕPmMT[HI9H,rcm2"F2nm-eY6Ir;!8#b{BS) pF1ˇX#\py 7|u׿jW]TZR}) hn9;vN^tݷ&7v2$77-ot&($/q ikF,~q5ާl~hɷ SVLss9O]>_DV /e+6k$q,9?9T_ Dž-SdPpyaD'T5 ֖q.Ex(З ĿI& 9GCO;r&ӟ6p!Ogqji}/2tLcp\9%h||/hyI[K^'aL*f%YI+$"q>1[xJ8,yuyP . %AĻO\5]Dmu߇WQz^U'>HsƩ%JE4z$.W[;*9*5)IH%?"u.Y3 Yg#:iĮPdW-Bi}pJ]uu:+'W#XJw\b!FqZ `@ 7-B,\b1u-wtϩP;.JbSRt7[kB tW* 2iQϒd?W_$EL!Sp?̥pPOJJR'>Q$QKn,ȿر֘ ߛ:ݷy$]"fKzMi 'opWޱ6Qw&q:O`r A?; u2+NQZ57ֶG€ W ==UbRHSLEF.Sa`ȁJ`ƶ('n- bԣn"﬉OAz C-IE6%(E.a.>@Q~/=g;2@0AIR;L{>b uhe~<5g^[c;džy|~ـ C TX,Nj<+ OP050[6[c1(mь (Q1wg߉{oC(jgd '~dAtuJq*V^Jٲy> ~[Q-A {ϑ0SX[T%>\?2,<.&m]KD鄙>z IB ùCbF]>-L |Č |B"ԀuH"HGz3\d>w\tO/ݘe b M)zNV܌0X| p0kFw/k~;h=18, r%F7ES*u`LN˨0Ba&Bǭ>-aRt [2ꬲ r h, բ;CV5Vu=ҶbԻtWe yzPprNjm R : -[;;$G[6_[pݧ"7DQN3#}Jh,߯͝ԃR%e4Rv2%uLҞIE,(`AeSHs ׅ 7bTJE>yw$=zl㦱 32pA[kkç3Hs/MFxʧuS1s6r;>KM\ʈdklg3"uu]njEpg,!>qe`ÏZ |b˟ %(>L FX*2PwXA v*` zd|%mI(4jǜfm9R T=2)aZ] ɺ]%N1*:]p#lω0htN^ hiwVaEvct'n1D3%*USXiƣ$>+0q&aQ&okpJC[b&rap)U\J3QSJ@W2p[u5;R}AÕ+?hLUԍIYs$h]j:.3 է7 ONĽ@47j} "nj9Cu:^G #b:-)eGl~w¬ PANσ*Fz30UL`!tjf>(ӚDdKXbG5\2 bOϋ2 |mFu /P`WÄxo#E98qjF"a& J a%hȼbeySGueK/RnX>MA1alpjBsG 5І#`/hR\ <͈~mp)607c }% >3-H[9K/?fCPciH@/EmjB8`_\|ya?Ai][6Mw.70Z޶x іeBVXB+6na,=Ŧd/DRwk=5vvT<3OL$n}$MQc\~dl &\<j} gq>8>r"ErƘ<>N~Ome Wf%ey(kzSΌ)2&i7܃\-^L2ѻ'!cdJ ##ET g3DJ+Ϙݭx"fGyXr?']}%wnYuΒuqP^C xr ,e}F\`)"qnK:Z:]oZc P%GID`=~+zI YeLI"EXe$j <镢zb8 y}'/d ȩEFm?A$3(J/c%2VHs.د/iIg##i ]iQ2;ό 4WpD9X$vGJ!.6k=[f"HuGA-?i\\5JO6.( Afs4^-RŹtVҶgM4^$x Ytfp ڠs,\&_~>.o``eֹO/mPEaT\.νkE:\?a.meyR}8Nr$hM~#3=Aҡ,byxnBۛ|E{1'Wpo& Vw`Vxgb9̛ Bjɽ4r N0p@LUɲ^0)yΉ%X`%,ri /$^LG.Y,7ZӸ<,uIyo53P0?Ǥ٧,m\R$lr2S]v*f8B{?eT/ w>HFQ<7̄[M^IڌmцPf:烳1jp6 uL:b|&]C&@ qL&O =SDH <y-:oGXb2CDM] T%,]4j|_'^K|?ng)+d\z&Lȍ[A6 L/>-INA^ܱ5; #CْOp2#o7}ͥd/[`tٸgavnNI^Kf{% ;Jj`{{tVi.P!<\Qo7T5K Hw)jNP.8GuLzwFo:9%cJ |lCP` (;GR}|`>%,;b8UZn ef.01_ꎵHMN+zKDq6,hS 잍DF2&׉*FhOd9uvv+F! 1M圆dgS}Esn0;3uU<߲_ڴ(}HimZּJNWQ}Y{sDB o\8{=fYot>Ϧ6أae+0ӆNCTB2Yp/_kZ%-"ukg%"/)Ռtd(% ynQ{{%_v^6bA7p9t SEՠGFKQ='`)![u[oAKqft^]be _E :1D SPtyLDulML0 .DMa4䥒 ޗ+Ϣ/ez-5IEn8N}8LBED9^%S3ɽ0$F,9Tr+NHRvř3n?xܔwEp:"dfR(w]y8U1v,QJH jr.eYPsdp]HāwFVM&SS6ҧIE;,X?'玂]7d;)~wkۍ##&+=ʬzG սs$>l?l ^ :J[CAxY1?=D|'&,:5Wq&´lkaHժڼ9vj_Tc6 t;o01Brr:Fbnw\Uek$^?=[kNvMz7!\WF%RH+ܼ6 Q{?'?m~FKRÓAQTpnAhN^ҩr(ȱ>ak45|*;rjؐPuN/97)fU1h)IXhX/s$D v">9NQURMbkM$PR ȭ~u%(ILmUĕ֑-@<2X e} _/=mlμud?+2dH$  = ϯGpl k4 (C7XJ^?犕r8u(?\.7 ? 9>iZCOڝaGh$~Җ\ uT8'le%'ɂ)MZV{X jiCZ!e6$Ju/;'hYKpYUu*0Kf@G7::ȡn~shխcJ䇽 5$hޱaNѩ~Pvp ᵾ4 S'A~Cߗq(CFcm"S@gJmjwO,u4\BMPtrzG˕i#qm[Y/~Sجf+t^} ŦXoKzc[yn|DtzD6]9UqU:KSLDVZ7*bHDCv`o* Ej#6e['. OzICSU[MYT7>d696>|Ote ^*{1dSgm?8?뙾(#QP I" EO`&ӔZ 8ZS+Uh cHAjo[,ZZJԥ{'8 #$3v"ߠޞWMu$"bR ̢tovxVx1ĝF7zxd yBw p'Z/~m j86+ܶ zx[70<&WWIVSȊh nRe 4b"? ;񴆂`R pFO\N%Agv7n8 c3p@@e"2Nnk] --,ζTyЂ޺@ͺ@+삓4VBr v-d%l} Uj(IfN~iQ>Vvyᤦxlz/RE6ߨKkTt&}/dzGVrjEZ&{_Sp"7G+&^=ݺܗ.ycCzkLNӋ;.眮izH+5=-tݍ*HڬKf\HxSk.)*uA#.a9(-^4^ǫH;Ju*= nüAY޴Թa\/;F-VV0=Q.ƊߎOgcvzgRR7`Q`6>děIZw|.geEcWKJ1=t_BkBv`,X@4Y}Ѕ{% !E+MLH sBZ.m)bqzDZ5)w\F(Ѝ9f_;uvk&Op0%m/YB}㶣|tVt;B#P*{Ga&[h RT D"3I5#;[c".ILơ޷T8@"A&?Bօ !ך-k(5"~<|f; \0ójN s\frz p()@Shr_=s,_vr ?`",a]@R3,6p|bsqN##Mf'S 'w/tlYbh" l(/0'P~ڍ-D z뀯ў]pnJ7au_m]py7 )oȕGrӜ`S$ }.29՝ʈCrZ"<K!T3HidO5)4,?KT*DD$usQ@}-WIm *̵ R/o *4qZ/YJ v f^ 6[D{ .fOvLf? f 8ykRH#45.0P> ynߜpPh 0t--t6w+D3~L2i UݓdfJ]r[a 8Wd|z֝3٘m\w]ΕbAQX2r̹V Z0 k${eܕic+I|V >;_<Bn^a-ܖ5jԞ5GMʘQ7oRj('}Td!_m|Q@7N`J|HS K4qR+@ T/akц\eאM tjX`+>Er%͎o)}yYZR꼡5zLD|KaM;I櫪)j`L=Ź1ܕF^إT\Xކa S%KOJOq0c0Ix-H`cۃQ iw.7B2vA\;HKS@lVDХ܊\ WرERgI]8>7>;4^y܏j]bn?ijDH?%T^%4beHAAEZn%j8v& +&9 "=O,7ϐ©2p1c`@}cB<<}f'>!o vȌqK(16HPN]u]?I|rf_s2w 8$דE2 4pEH]>̐r9):4O#o8YcOdi-F&5%<权;1kgS |%?. |afh9a}o-ScDmȅKs5K^&HK~:B=&-0E9O<><]D)D}>:K99VБR{wD H;|Ap{Oj?+RM r/g.rfZY5Ć ^ƍ^LO96ƍ'hO#Uv|o\wk@$ }7a%(u v4chWYQ o͛m",_)o^eg׃}L-[/ۆ"|rZzs]<^λfgs,)6t+voaקr<6qhP\ ] \((gHሬ $H}>/C 9 tpgiNM $8YÌmL4ZBāP1_fBwsYym3aV Fg,Ӱ0+6s)u+iʛx1jle: PjtVkpX#mׯ1kU&2 +/ &ѵv;B޲,4aXJ=D@D3 u6.:E%G?$eP[6EkD|=wؙk=WlӾ[mLMIr)%eI8pE֡s ީukm%ԁBvܗSh?`<>l#@%~-s6ļ_TL.bZW@(ĤŊ{&AI^KL^d7,1$C2;?c;,wVaXzہѯ9=_|';9~5LwHnΟD2H4>ҩV6p .m:C>](\ ӸhH #~-aYb\{3+m:/r!9Fヿgf[~wjkhcJhD;#|Ψo:# Bee~JQd`shsZSQ\/X@-|j9&K@ Z hU2]R 4/Jd@U]X U5`nKfS9Y[-HGƆcqU/o~z#Ʉ3iSp9Y#4}ӢzƶӜWQ-h֡d)KP͂b(D"Iz9@Kp>|Z~N%1I"rG ,1~U0yZ4akM#ӐL:On)p8| kIRfBMi5ߠ/Ҡdr,>bҵ$9e2{TzA *1G& 1\(`L'"nsd#󥤱* );0XKCJ$ҝ VkWt̜%W]{*j ⓓqCm<"q|㿙ba|į?w_>z&+L?C;4>2xh{03Mc ~&ۆc, g HfB<Yv!sl0-JE9z/0$@ (3InIZBڬVԧt~˗/HZ7 p 'NQ/pDg=GhrccGM*W.HMd4r?ѱi] :?y}#?Y}1]&_ 4|Zn]ý{m G?oY+Bg.~'!{7`p؏)j17zz2%WAg+dS"pKBD@ԏA>sF_cUQƝ>mvΟ&|t՗|o{ն[&FPeɨQΨW,C^7jqxN{ׅвrČȝSwyoB k26GmÑjhՙMOTLdĚ3 s|@YN ^-k3oנ(@5N0NEUeW9_BJy)*MZdݲ0׷JHu"'1f%Q7VUy[~P>H.`rt$XcB,C~zч9u$X:tXnS}'@k3<`m'?=HEw{5R_Wt nuEs^l fe4{7@5R5ufڙKpRCܥoƎ$ g@Zvr/f+H~Oۿ/Lh޿uBa\ہ2+6=wpmGa/r[({woK.toJfS{_qgga/k,bo^& ދW{,)[r~r]2X) E/R ׍^٠{)^#EƊ>w3 !=9@*W1B)yEZ~E{?dM!EZLP;_&9{!j$'F}<$T$f[JzPڻ5+.a +=-"KDѿUEy3f㱽dbJsI&@F#(uEmivH$sӫ5ޏ9Ԛ/؀N(A@VqS×do@'VG.c.YڽU'x6"q%_%YP,j22Eww)tX(qO͆3&YnB "] .M0G;u-i`,mco}ۘ <^/7eu"Sǫ+ ;("e$dZ*۳2ge` ;rCZ0 0F+'M44P9$xpY1`] sAge\&h_dt*zߠBpF܄P{2{a:4iOQ}gHbw]Snb~ [CgXC% N)DV+޷37ltNakݸDn6z ٟ~+8CbpʼnC1O[ ߷`_[g;,_Kze_Z'~RfzfKhF=?֢]()k=' RF:Nw3WԼ;<Kc9%d'1d_ƩJfrus nNp&C|@wx{]9̫i}lܹJ~ĪCs.wKE70kLy gs?,OY*s *f[{v-nq(c^$70^䘵~$7ku/4 >bJ6'|g]n062HhBb9ϳgQk`2P  A.)~Xأ3/SWUC3/QKq̌>fA8'czy<9G3/==y>zCJܷ)/߿[L.-1J~3'6qVL\n>S|L O4 <s/7nU܈Њ*Ņ,gT :@xc ca]'4eqdx.L%7}DkSؙtj,Q,`|єpq^ /16jW`ntfB{8&GG}1ir_*J1uDYag8KtfI?w8d',#ȱC +WQE]S>~XBKx0%<Z=:*ز[}S(XuÝpqt:O )0V,򫯾޿!,)gO2FVV]1m{\s̰T7p;ՈKCȳh:xʹw6N*?QG/tjQ8W^ ]WSD/"[wC~򵖔)~3zhds_;2d#EI _o`B5l$)1ת.IS%@ziA(KhZ~}BC\|kO<6~'0Q䲿;>:vɤ8c:%q ;.Vcpkm<|oӋ,).  A9=́ЂBCL):}Iư{熕dqfoabNk <(L$}zfӭ!/D:j~=(Ё{GG DOGnT!7/[-_>Sܴ}^KS< Ȗ3^-`㒨LZCq!1!C<46C9l&F|^j5+ $ *"se̼2ZbA HM6b}]Fx5~")SBKI񎰅MurR`8َޫ(hw5=옥@ykqvpJq[e~Bn,)3=0Qd,y;)ydXVlBq*2[Q 9&@:Q3y#mI*L IgSҲ0~\¤/a](2cdpA:O0-|ny |+MA&uB^,]߳ X߳9?BGd)^)e11:3hA~LwG{?8=@Nn9U;AuU|.:cЬF瀽2 Li4b QJ FKpBs&Ԅ/ָ/Di/Xّ^$O ;ʞEIK}JS9uCt11|ZouSuߊ&Cؖ{^fkz 'Q ~]:0h,3_?u6=/d-61B,a8՛s1F'%D֗C1J1\O)J@o fgŬEe}1i{wkSA_b?d~ۿۜ |?;v'O0=t׭DmZV25W?61t=@#BoC(l5-cQP +'cSnL3YdlA$RM.eZ̐$Ҁ~܈kSF\"*( =MEӑ.t]p(_V:|k,圧](M>]_c֒yK5d߼:M_Iem_FnTSIK!ǨQH_+t.2C#C҆ʗX]~ ,esLbĮOhHyq9@c|CyMa.!X8~] o/4lp7ՄbSO?ws(#$% }S_?ƠvsoghWss%]_;+ⶳ+#shc+o7Vѕ(x*,<G?nVw}`Y 0@}mwv|Lbܫ9 ^?߫˳ZfvwwFC&† WM6E+ir GQc%}s%n"մǹ&x6Y3 %BjZ<;;P@+ EMip}8^3Bσh:~u 7ߩ? ^k~ /=)ji(;5B3OJtyil0R-Y) JόinNOt; p\x&"}Ȧz/JQmȁoZ$K+ em$_lv 2Eƛ\ܹԒ8%u!V .S5m` d[eO}ZЇ주:/QȓlN) Cp}%oYT&ڒcT%Wn9H 8[t+c؈je%QFDbܑ" 1sF2OlSxCՈ=,m0wM'Dn9qc9]M~jٹkRةH80L`:;LCcc%x1YO*^*fb&s![\c)+;DB]G7=HPf&_] J*gVGL _aRgIM,X69KR!o6Zλ%SEX,2p9`!& GDqqzE5m-"xVڽp@7 r`-i1eZ\ ~ܭA !^[VZE^dqo!L 3s#JV!-:s(`Ljo ĺFBh&5% 7̉좒%],& NiGJV1ӥ;C1exE3鳭Xcxn(s@hܮM\6YKdQ@bY\L#R? ! 2[(9]&T7,[2y6KWw/!Y (a#3ㆷG*ǾA?nX?8*>~s╜OPZ@ol4lao9, Ā.|Mⶇ 7J J:*U蚠A=b GTChE8G ቶ@OK#f…򞠭W<p ;; ~G;"xs)=~}^N㌻:Ys7Es&'O+Jў xɳ|1Y+XAj YlEzMLi\֠[0E'#-IWlt}2V T٩,-~Vi?ohxӢHkkkj+ v1^(Sus<1dQ3q:G/Pt=Z^^k%L['㹉=u@Rx/<)6XEU*3|HD&ik-f%PP "I1Y(r%B1S[}mqGwc`15HCP oRdNI!Jdߢ)aOCaײF{A,B8\𢹻{DYEhWcp4l.lKp{{0OFJQ p",6i\z?&JIT.WBi8EAhP[Sueq|L48KJv}&3ن`jd>c1SGEh_b@\?0*Ni`/p:vKHUmw5 *@ߞjûEf}y&ԶΥ{e6lMn2;й[b/nްr}d&-[:=`myQϹZYӂb&I>afꝴOѥ݌XmxJU*$E*-JZ+'j Bkl9Q2ssĂ2+BH4s.K]QR6ȚŭCjJcb-9u'閯[kݥoin~\7["c(%gi ¹% >6AiտQK:aO5yySBW}&̎=Eb%dͿ;$2W?<=><=;{<-Irww"ao#ӰI^C"-\CBP p7Cws]Y '7ocp%`))2+DܚܴCa)]R ]sBKM⭻GwûZwge`|_H5Dq󐙌sC@[۰LzMMϟj&ꁳGLdO>2k3ioݯ}[Hڀ~g31BćN6Oߔ[Țk ۟`&;rgp@6sn^7Pă}ЬZgbw{R捱b6/Lʨtoi&]ow&Ïʭ‰/VӺ͙ ns&O?`Wnu&#O4ؕ[ۓlR<ˢJޥ[ !DE7EpJgU37D5TdoNGYSk%b:?j&.igp3i@z{{KtG,ۛ1p1N(Aɭd7e:}2,x [7fa7if%h2bj61۝0q3 ~\9_{T߳W}2'u[Z'R#z/6,Z?J-N' -V|/uqtmq60¾tTpa-o(lIR[@imw7ן[=goG| ̰$}Ł!GV/{\3Z:7.톨!ц\$)?ٶ8e{6?!]TхS<;R_N{(. TXQhԬLS~aU2I%rj=42W}(‣8`^>0Hb}ُ S8f(M2[g՘2>6 E}v0'};"R4;q4EG#nc&AG|rݑ͵gxћk|kQ.v~2({K;YuoumJB+8~T ӎ( ~<:&|Ҥk#v\x EԺ>ƅ,|)ɵC!YYKK)/<ArR}"٬.äԸ JfB ^=_x*]bk.orv.p5Sb7BRQ*qXyp$<1  ېOû#rjy=Z= *~VZek>ۊStl;uWiHy^ -6.2vO:iS{UXЯU5,}+oBRusNVEiu͞³}WqV54թ%lJV&2j%Ds`WĖ0P0˥ Y*]KOx#Ls!"08s lꡥO1Ls)G鹫+u㍑ɲ-2+J+{rWD}j\=j!z݋x8׃-lZ8٬ .ĈDؙm_@V̓"1*])l0;ވ:]LKJzԯ5j4O@|U+왨h`t,J-qr ,f<,._'aǺ AKx.%4 & w8KuNnwp ȗdj/Bͅk#?R"9jf#%(g@H@!uyN儸U A"Urnp$mKL4Oo&S:ˋRv4 <ߚ4"ŞPaQqId3ܨ=vax\ pm5atTYc9뒀nK(?:HY҂Jh04[qz2lH:ʳ.$KsEoKgtU%k c5 ʤ25>4k&pU]8_F̫N 6 ¸l1=c32" 2גk)]!WIK8i h>& jX?xi8840eM;i-` ;%D -!lNluqPaȃA]YD :(EGb'!YtD*ȥr6JcI96Qr#M5*`G/K 3x8$&!i`x_$GR}3tr߻FnIn↛۶YKwh쿣L>+d4Q l5jĥ5E% ɘ-V@T<+#p(-)+q;K&j;=~@PdK2l@Yߙh5A< [{m~R&|g(6]}ɽO"KzhxL*QF\Zvq⼹7$M[)ǀ/U <7)HHhY Kjf `¢hj gpw2).:[< #Q'' b˄ ;繤44 28ʉFRX Mu$yk$,@EL٪Cr*Gsqb2 ?I;IfDrRA;'@P h$4RN mo=+'Jh>)Er eS2ρ+} l'2БP{c7zu>00C7io lMYvfr1g.YUg71uvmMo .0tQg|(\{QRB5kq"#4=6}BqODpTnHfHk1c=hS)ʝگ#-Kg-/sio{PŌ!JSt5𐧑@\!6aKTIs@S8?6^%rU?Co4[$Y9^agD`5/A` hBh,P psscTA*7ixޫ@Z6۬)>M>3z"̆ yܧu!,k J]u`mbI?r4)4мdۺM)wIz>.c#:rfTviHhDOa:E ۾5 /(]nT.¨4Q]Y**@LrkNl6IYVJ,UK"UQA|F!jD-[\>& %イ5Lڢު^54t{tt-ޑ}TBGw@z5W w.)ޕvDf0r#:kU<۬ sW JV^3`,WYJsQ7+6Vժ( O]#"Wx *5p@b ↎x(TcrįtzP9W 85B2o&&WQȇk$<$iִI8jMwZKH'OUbE2c#b\^'h,UlkuPۻ0[jӪAIx}%2C9;MLrg~YSרkۺ}lw1欆+vU^ʱ>w@טb6ə1bXQXcE/H.oD)PJטI%۹q'o$'vuuG6 0)|w^{(YIU%H`/<7DԷNnY@J&]DSDtޙ 1Y9 )ί{Sr781Ѻl_r~5$}mv k5[k1R^Қ{NMOM!SS^95֞IڃtG23$)_9~"԰SN[:n a׻wbV1MUfxEJ/tDډP#D6Q1hq ~86j%z5%r)I}T?ܧT;gq,t$ăhCVEIkS.fH%_Y^K$q# Atɬj"RczBrJ ˻|Bl{pq%*/ )Ce P^!Zܫ3cL3iԙ/3J22rs^v$u.$FSpJ/幦Ly8WFme >gqkTɓLJK"Ҫ\J7r%R]o[ !y{z2|"آF3SO_KOb 7- ;)'vJ:$l9ΡqA̭(=tr}#؁Ϙ ɲs_(HTLF{Ϗh6sUcbf9Y->d~П#WS2 A^ы_prX+Jv2gv*bWjh5=#<cĴ᳓TX<! ybzpj}pvSbVk'EV& ;YV[Ugt fBxnS?Rd%hR\F$&OV^yk-z}c!|,^ՏCX{::xMwdEZCA,J EڹLlb@FOa #G[!Ȕse&rA}놌6SdMlYisa٢¬;l¸PG'!sQ+p<Ί5ݷۘ݉hĄL =4`4%~J\k-31yνe܀2\Z{+ 09Hip%W))3wfP|tA%9f5ÅSٷܢyM[ǒ NÇHsuҔܣql' Ռ⅊rL*)WYwq YpO4 B,:}/w.aAckvWWnĘCx:}.[C2[JVE <}&zZ>1c;@Gn̝Wx P"B2#3$_]mrT?Bgkq1;R + N p7Èffϱ%v_6X7*i lΡc_ZSyțCFROue E`]/(%Ӣocݷ7ҕ{ţzBJ )_H߻GbAP&5i6}"IңG)vN"i\I u.?7`JI=PT3MV4yrHOj4 +q3irr#btۂ_>!%)DQMosvv&xc(}#$Gb3&zltUAjL$ hWXx/"+'*`4&1$I7,u@<8k&L҃-$+`M&IMCt@jEEJ鵶~8,D zov'K,+=d:kLU"%mxb:,o"|˓4IM{7+1/2pǡNGYVkQOP%W!҈gvZtf0@ieH?]Jiuڙ9e8 x.&c=mew&tfMYF mz)kZO~&hUweB˺^WE fx٣X> לy[{~w8!Z,خlNp߷Kנje~Պ[Kb]`"[Ĭp _ E[5zr=@T}qXoWGL4~>;°擯5DL9 }v6i&Wɕۭ"bvNu3\ؕۑ&BBo9/A~[iUI Uj˭e!ߊ]T`ItEt­㗀8t{UmE| E81CV9 (* ĮB"*\0$trJ˕>Ѯ95-haKI ⌄1W灝ӂ^ÕEvHhhػU"Z00R@XE8|ӆ/ 펴{<=Xeٿh"*{5x4"@ΆE7$*-;w?_o-bV4{qcMD*D/CarGL9Q bLG1s&L8*{f,GzF]Xd&y`h9PtV^$ݪI$y\3k)txwS|ES})pY:}r$PD5#HrP3\ŵ"&d%HP'Q$!J" !5a1h8"w4!7 L63U|&<K 6'~Y`k`EC teOxolh{mqѾP)0eqsiSĦd,*TeHK9n/׉ԻC!o8@>\vP`à8(C%wk;9;"(=zAl$Fa̅u``ۓ9hQcjtO' Hpl <>A*g ! v9\HujM3;,xruMF5SNyֲxXɩB(SIIRpCUrX`<@Qy~F=)_.D)'/36FMzKPM0x4S!bLk,~E&HS!į_rUaHۆbX)a(*h>|ffݹ1a& (ugx%<+sֈٛ5rHRqn1S_j0B=`C;83Oh0S j"`@$h ?F^v`}Ԗ%R9ؓ#yO~0R>}LLHŚNSW7@p5,-';=7r&Fzƽ%ь7yNbQq:0:N Jgz&W3 }i< (I86҄@L Nս]t,ArJ/#iXK*{8y(@Fv4)㋠IzP81ɆUF#^U'+s}Ad/hW ;n9+}V-06쭻#MⓈ'Q]|k}M0qr%%>``'j@<*6[Uk4.: iaN/gpGZDŽBcxQsFz^{tҠY!! h׵e?xA?d%H`Y nj`1ЋLɁ@T0?z%߻;B |_@vk!s >\6Ԛttǔd ~O³]}L,+4}/D< bոF֔CEGO7D@]3/ @;ҳp:wo(q\L']zbiXLj`w@+n.ܞDipuo_6'4|\\jpnzM&z6¦>`_]hɢ L8 b~35Hމ}y=AN+T GYVJOwd$655RXn)DUs%6=b|Rf"HqM{g"QW3Iw]^}:S=k|xQӓR?舠 {7C+!+2莭T}rPwkKڲeٝ*e0~=;}D9Hf`acUW}ZӴ*yZ^#SF'<Sw1O$*%A-8\o{[*^+i[Cp3 ;nmϮ¸5pxMfJ9EA*a:IV$fO7LTЫ8IsCY0d^NߒwS 0ĭ6t I2qps@K1 }%}KQ_`j=z]Q<^;Ie4mjW`m0GN(PD!|؊'"V*Qxա:;m0B3j9b_#1 "dp8JWlE? {{2K] # l8VRD5b $q`Qc-[ymh1r9;CK*i$+뱥6c>C1GDlލŊE]o#$nj*T(a 1*BXƤ8.+Us !fBD2L䂩xp@D(\wFHv_/Pi1q 5N "o# dv$m kX_"a*;(#Ίw"Ì;l32,N#B^3c2^Y 0ؒ;UY(Lf,'swN5)ܵT%Z GNnFNVqɗٖn_=A#n:8_8 =jlR!ʉT{o?vy+ 6E`ZܴVGL!>{-و3}j% ^_p?cWu+Bw0lw;Bc>*+7'?]_}TK:O]Smbrx._պ= ,?ܴr{3ꕞuS^󁕙"x=8>Ww4vZzV~>=9TcuNsZ$_78)Z=?]c{naW7Ԣ#PYyr,/Ф +?udkn9s9iY C_.BnT1*0PhA# v[&,ASI ɵT-DFt}hmnq|DL(RJȑBjl/CdD OHZ߇Br4,"os|YW( !'X>qi:"Q Fj A]oJJf*&cH ,. 0}FlDVEXjdգa|((t!_øE),B~+swD&q'2(=6AD +Kf%I:K  fJI,D[X@- v5Jdct('3mF)AW/2+_YϬ(DՉ=Ym#C[!I6t' eWY .8n 4gD4ӍNfBG\ka\@Yr=-8]W&F$_ ;+5XQzg6&sCֆ;K Ufn-RaWw4ae,@R7i-3AQr!,hgIx2sҍv.d>0, . ZZYEm8hM`j&J1/FjQHDVry$ZD&p6t&{p(>qh%ԛ-Y趈:"ؕ%r3Ӭ-YsZ2Ya~>, emDZ:1UVwXX Rťľz8CT:jSp +Z)hu;,hjQѫѳk5)~v.Z,__3ə.B@MBVV1NHJIT8\Jpⴃ' Щ = Ջvg1B>uNF(hz%A⁴lَjB]K%Z3d9p@荬N ̓&U61&aa8/k 7b2੨4`;6y Q)H#O4N,t3Qkr"6Z$w1 -8q}lGqnW)B^C3!sD;vN`CAfŌa(,'Q5!є> "Oqu#Acmֆ :۴CKw-3TK|0],E] _%Q&+LC:p n3ET [1^S:>]7:YKOmyn+=8jf\$XaԾ3fl4d(~ ٹ^b,QPw//EffVVg*.7r$zc$(h;۾^kcr,qIV8SO"ٚGXt YͶYɎ1 e s5o԰Ri0H9xH#w/!_<7 d?槚|ܵPi-gw Ěd,̐@ء M?8&]REi8~,ȗ4Owy|i up>.k8ԌjC<^zO0:~p_21#}57>!Զ[~Sq3-:IJ9v1艥:٫),ŴU H ֊ FD™xsMn.T$KEٍML2P7MPVTEfj +\kDC]ݿ׺Gi@ Ɍޚ^`-OZC i  zvD .`fpd#굚U>8$1!%F3GGHB 4tYmwo>V1Yb4I_D=Xc"0،ZJ ^Y k}x$4eޤ,Q/&;k$YK2wyE2\CIhNyɑLĚjPQݴlŰPċ; ĩɸՌ my1NeXM t<ԙUN=4Fr%50X}j(cjQOlg `:w._uAqǁB{E0=:ӶшH-ܿul{5[V,i^!m ' ܎TY\7M:?BqL#*k|ݬ?c֐:]JJU{*-U}}Vc2B+߫]jjY2^״J7J^}{x:^C ҲF$S;jD RQcE5.v:nMSs=jyɵ2eW"pE]&Rz֘*+0  27 D *e#oqHc`6.P3uR*l^;t}1)&r;X,YH{Зvb]' g+n.יAjhm(&9M4~\>FHֹ %+.mjģpкMF1Qفp :x n~a8iU _3bEiqȥ]>d V莀F@gpBi)$8;J8ŏ3`(c %G!F銄3ţS&,Pxa%۴sۉAZ=mdhU'gCCjdq.wfQrf1f0TQJ v@q|)W"7,芬Bp߀I낒Y\xq mAh 6SÄ)%gEY2]AkE< 3ikDc#YZuw{0bb478rfO p`@M}ODk[O?]yZWx 2nU?qV"g \]ǜB- Abza}z`l}#q &p)Ee49 p¹o>Ktc²ߊ3^R1KD^^h9InZ^+!IJA!$) Qqݪ7X(.)x;hU[k ǎ@uI`VwSٖJ)~о$Y 'zF הd<J8-F0SjzwyFlŁ QVCQώQe-R7aI&rF/}L$ˆGΣg;V;:u IɻJ)LQ5Y OqOoNeÕ[MgxE;ipxt}hNzW"4Bh-O- Q&3#X{#YF[Ȩ푌DНzۧqɮZN5 $mc RBp`u7 $wMo1aϛ6(= KxJy$?/`gBb/ ZRs?w UGFSQy鯁&i*$~\X"ϥ7H,~(/Mt)!,\1Tˈ%D$12sP4ō Fe,dqH8@aI@lá2-Ov]/Rc5k>A\7 mW9~n #llW۬< M+J #]>VQ,iQ7dsAV7!jr-aGq’GxW :eV+n,M\rgQq!}~"}#;"VW :vr+c" R7:[stM!ci9:aǦn -x @ rC- XP5#KɣGJ`BbזЬ^H|\Q]K1j]&葠t10tymL~Έ]v##u3׎@ۻCArr.QNF{ 1-.sL ƭI!kG4yc~Oh äIT#4 m}; 0(}ؼ/}LI?|DT[0N^|@6#41eD/f96Øe#MQLwX>qq&'R? 'BJے N@~I/f-Hdn 4 31iZ*Xl!}I6be~0 -wܩ2S=γskU,@R9㧆@?eZ8sGMPIpyJ~Ir`B,J~XXѳ^ryAolDFZNK m h{obLfQ ܧ 1N[)Kp7%-&\QM- =?r=j:t;xzM wӺ[9XB-#I8cw`KƧX-p Ee=J{#*e-iE ֛~s}onzEul??[=BB|tV.B0ha5+*Y_(`va7X~y~^#̚<<;McJ %KKES܂ȧWAbk)G/Tb9]? t ::a|P57h$tHd@]\*F#6jtYaRfD Vkrd몛Ccz[e>YB3NN Ȭ3l ^~vQ^K|aL9t/$ݿ GO8.ւIؖ1Iqk_/U@"P9]jjAN+Y>T@Aw(vE ꞥ!Fhlv:TbnYq;2ie9VCNrwnmLboUcD1icS^9\}Z8I.GI~bCYq{+ sNՎ$@L څ8Sca )Ԅ>&q]ԾW":߳oͱhCR5Įka)mXЫblVs[! g|-kĞZ-.R$@P9׽- l{:D7iH!`Ϯ- ?֧}:AWM4SrdGo9gY$ AES1H%9)1y*}f4Q8< @^BsxΊ%i/3PaV78&9 VV敗̘Iz'&g7I].h8ݍ~~(Lp#u5[B ジ}3S"".+ ZT6@vj8XrUD`;rw>5Յ8WTg*5ga+%$gJ{:c띣IaMXvЦ[6Di9"h,&3l5Y4Wʮ:LsQoZFU"_ Ain8IGb=@* ZC/YK2H9 _8s_zPZUVgK`cfz=n9($ 2lsтb?޿bI:D ȎvdCvѭX(u"/s6_M~ZaNzҚ[ms)4Va ^fp\ߪM?Ԏ`[ѣnXL`;IGA0u8=K`{K>Òn▹~m{ ߘ[mG vlr~کug &!w*>7vDF}H;[\e8aHCVg': TL?l[u[C\K*ʣ2c*>'6t2ľD&^ !SD~aq ȍPvLJ&Rz t$.t[n\Z[OO[*EF6ijQuN{VL:Gsؘ8#A4ax0xp!e=C.2/. RIl'uVjEքy P@?4Fɡ44^LI8@B;\ؿBDI2{P5%4>}Uœ9%,; bxCݗ͕B}:90Dk]DC}Z7, -4os)V7qƾؤ96uslv͹-FͥI*uHEs)}w S7; 6&{"?vFFaБI #6TBB f\;s8ڞ݃{Ӭ)X,D TI(8I+}Сd#%Ef_"">a܄h8p i #;9jќs#9_8&6qPr%)]x!E-;yg{ C&%@_sp$V">(09[ L&u,m8`ڀvXջkM_@(vkI2دĈ`rdFAWۓBimNWKZ1^舶Yq !@t1mVGA2&/-ΗΦ n؅\m鋉i_S 1øڈv^ !m:Eo5V}4d:i\=fa'G9|WMM`2 5,i ܝ$/ aT@MmV ҠB[bbAZ{UA;xodJw\5 4V0pbH:z̆ 9Kzg:݄A\DI&96hG̈,B+9mp 4Ƒ*2wBǧgPgRBԆ3u+xiUEXD89 LգT_0U%b8*`\1 hB 'b+}~ f&F0Ke:8!j).txn/uIu~G\v_<3<;ކNcb(T:qZHpUK%-1$K[Zڰ:-$r _[(mct5 $h@Ty>SQ\ͽNjӸ} k iDz kHDkgُҬvjXcۡ116%n!:.̶|orU`}'_5B \њ.?X.3W:ݎ!IaKG#'׏ ?WqN)S`'>r "r_Byn'n)%Î_v3NT|);C|d";łnn+~2@%`ٚb9K0 Tiv^BTs6-؛سŚ`p3mQY-&yz=ɃWq{/5΄ `S>)p;$NKFɽɽ{p8<HfJۥ?5RBo/idf"ckDGvTXVX o+xsy^,>I~˕~uJ#C;{IN7sQ8 ̠tcd6볇3 Y@c\O֒nT*似sdya3e6>Pä3ўB/ \# ϰ|Ӌ|UѸwfBTg[; <7ֆm`1 d~;>e<#溶$i&?=EXS9-Zw YՖ(84%{U.ڦ~ Ew*c_IcU=Ř=ڙ6{#=@c8*m'/m@4'$#+-QXІsvCmA}4N#5ķ~\A$<;= ++ծ1nf,mk*у 4&y`%v]^uFP/L&,VƛU}4_Ob'74Ul""[ӨP ؃I\`hs."ѫOIf!b4h"w^T$55$re|tLrw> s@SƘ&te!UD*fpGoiwy6gKhȻ|}O^ɺ}` ڭ5(G/0>w>;k57nf>LGmH` ƩZ M{~90"j&Rqs/t2N`9;_fza!QRcqxكUo[Ȗ|-ݓ ?'Cz-eri^D6BMDy]pa2@][St#ŒagGǰf[w! %4Q(eneDQ?3T${:SZYǞpr$AtM 9&b\8'@aD|hV:hy~oSBhW`Z,Z5@pK|zCPhÈp$b:'>]b űq譢0b"Ɂ7Tu7]`:fY􄿖<'ڴFkq(|E%߯s-_ p>Z6|~$9?=[)mY8^2)BP1S4 /}_hZF 2c"LS@;kA`/9vuq>,\ }.5]H#o ]Q! z#M7Nku̽;h!EPơOS7&|5)gF tfnN$$i%30EU;ҔQDMI%49t_ "#fvgk`+iubɽ@bc|NDrq3ͭWKB:}d?ةކ]_K׿)ghYhɋ+`yk{$}B|#,"SG\:a4LkRo ]ɕ`iL݉H"sjjaXU5tN2u[ Xfp@|\AMB2d jTaE$9$#6;dS"H1Fڐ)C,b@:Mf5~iOؕpXrNLdpj=2mqe$[N>F.J}/M 8) ®@g'H+gՈ9 lɶ11ԞM%7'S'O uy5V˦[&NcsgF#~P-W5̞%:L.(үQxktpaWi;T6 ftFpڈ+wx&"5P˝5~A 2  Mq w+OA<`q|;}5 ݳ|}r` d /Gv_y{&lӰݰm԰mk :eDH__RYE^j;*iU-T6OV8V!LBW׸v Y* $yx`K(  uB~dbP3a]J!JAi)el)j# Zþ$d^WәR/]+N9ϓ@zuZLlԒg- k c¦Q:pҭ#fn# i19rn$&&9"کHE_#1njo@xHw_HI~WI:'Ub3&HV*.ܐJiw}m2tԿO;boz_/I\1j& a̶tPy`QDH`CJ"SҨ$uY] ACзphI6eq, T0;c\|&ʂO,(2LĤO/p`l~86!SZ bt!u6.f-g٢:g04ݧN$$-kC>fPCRGG)RSr )}Ni&)13) E&_Ǭ"VŜU sp&vuƜΣNG}N;φ|+J5_wo/^//?]_\Kٯo;>G^~/F"OٖNӣ1+ޝxR'|z{/xT(ts 4 Qlʡ/.QpA_ #@p(&xc>`gPlS~u/sP0!z:qS>Uér+`qqJ[z,Ou}'_>Tus{G?qgiE=ۑⰥ&Z%~IɆf[R",^$FOOLV)`=3ʲ#oNK)2+9F%c!9l@'F tPI""ބ]{r,ƀ}BN2hQx4IVC8+ >0 ޳y6Q=˨ 4Cdi FNa^egIiEx<'ĨQ״<vAQkDOY`(gBx)VyXkpGْ-N r52YeHG&e9A 2u$зj; ٠`rH23pH0[v%>\kNdӬE˙f-c얏A 16d2|LB\G mQ)"0%Sj:`S,&ш%7TILɂl >v +cJq[ΩC{(/]7].pEQeVs #l4bs! )Ral(mfr 0m6k&u Q1ӡh`uUKQkP[NВ|P8UMlq@62b&*Y>n3ݽu Amhf0Ζ1}^LpnhwmLSe-Eq6OX3wq.WiE6| >p4AƠE$wΫ9wgV:N%! ½M)BܔWyO'.@h?O̭H-fO~βO_e:gv9FSϵtn-UKKlq$^d?7ii FХFW?kU\р֚5pVG7cG!w% dnz'R66mo~ ELV˰em;4/\3HcfMkJ! skĬ>4zBˡ"ڬz>d%]W(~<`{im[z7]bbE 6sc 3$EP 4HqY[F^=~?Doj~GQ> .Fշ87pyw4l~$|?] ^x5`H;$PMbU"%&%#J143Cey((Q%4DVC!C Xd*uM8CIA "]^NUYO|x}= 4a@rWX`$Ѥ oWājrWl U=Ά=Cv]L5*sI w+>1KTr=6@AҒΪ~WU?|Mhji4#V7Mi;/nOwM؜B`]oMO6v}>Ab0C%SqwDJ =%3:[ኔhD@=ING"<+-9Ҏ*HbJtvN4ڝc ;Qp]56P&Yx Pxz8|'WNVH`}~36HoLWm)wĀa;ݵͩM#KoFb2[6_!/.3@qUprv}w l~%JIuceDnFrQ+͍"9HuǨ*F%nu; _ [ py7*aQsm!P 64:r'=,z NBH+5AY!'hKAw Z1PR2D6uU 颻uF77v_pvڼnǁ[.&q*ikΕ_q4C4T>@|1zsnYb1r\a1]?GKU o,>+-K@dgL2qMVJ:i pa] ?b2%A*0$}7/]A6y-,KL 8y}P$9Y|9)ho ##?k~WY[&D+O_OQڿn DGhSvzwr_B }DyHlaZ9\a(vtF$pM}CmwB?W>(cN*.jWYM|d_H'sbBKco`Fz; ,z:ß}7voFZE_L_tw"\vtU|{!ԓ~Uٶd!0J8r%HT HY- 2Aݬڻحӻ n|pƳnZ8jT+AL'&OD=?)#&9q>|"J+F/hdݖ/]*@Al6dQl&<6/*hlS?{^i[QhQld^7Ɏ͋D6IW*IR}I%]p.'԰Aq {'YmPKm:o?Y<+r((rD(/ܛvV^m^WQGc!n̐XA@{f}B#2 BY:.11+l*F}';uP`UsbP.b!Ċġ b;,dfD؝~c}:..QO(ߐѐVbl%3  Hs=S yVU (X=4n!ŭv8ΊL Ovs!uN <u>1jՈH>UvBbR +3JlM|~kmnE[d;5Xc`Ll@ ق8E5] &cC$F4okB, ;k<{`%ں@o[tasc \[4ˉ2VY ˄3}urA;M$+, xMhV¦ER8SnM6.* 5=N6Lo߲pհ:6刭M9Sf[7^x(P-rc"O= <0~j"S:QZ:Kr17r $OεzᖿJ b)rZ1ûAM'+&x1š#BHcO4%ߕK^ͶuCRYӸ)+? P}^,vLo FSzيft:yF\Kk)摒e/>罘I#وb̯pl5KUI>P`&Z|E'$3Vb` $66èݛeXe)2EATXQM$<#pР@}Zqq 44v%? k۩*Bim^ss.UFtEVs69طTU ٫UB]lsxoV5D#Lhmq1b5J.Ni[#;v^:_W 3)Z4jagJP*aRS@B|Z!nzïZYaabD=V-({qr}?o2d~8Z4OڧYSfDeBa!^:T:`r م$:`O\ 쏿ώе!cKO0p/´9f$[WA]BSDE3&YΨ* hZ >I 8t-Owl?v:# |g*jL9޿~z%$Lӓ}IV40GUm7 z[%I-"(0L:LWF&$O4e -hd$5pVwtߺ;Y '6W@xEՁÑ#05RrH% (P3Cxm@dJ41CjlI”+syh;\dDNnӣ&NȂܩrJI3T\R a6s|ˡqQp|IBeUn`i%{BrȟĬjJOzeZˡ1yh;i \ ;ѻƔdKMNB;@Iv@b ^mf%!L;)J}*yvĮ@#aAτVqX0f㢜W8H8=b,X ^,#a<$.X4&7’}1!BaYց0BL ,lBh19pPJĻY@hb4X!e kέ?J@&_]؃q՜nLĪ'(i苗0M~> Ƴн1"P7tG*`-pK+͡ _fV 촮HE A47 Xơp8J1 s {+ʦ&a"g\ưsJVbEB)qF/TWw(h$pэ8/.kh VGT< Dv9daV5;i*Kf$+W6CDY;m46TTeط^|uǚӪEB-1PsEQH4[g)iz͚a>s2 Z1%g@T܃xygg*a-lY'|LΕb[z QA,@KV*QBlP ܊e,^_V "ΨC?̣yY&Aŷ eL, !& bMӅpЕz$ 'B/^Eb z%'zǶb&%ߵdR %bq-gcuSф-ٙ/Ǿ'{Jf *GXRfv<2Wv-&BF#_wÁK75`]CYI:DKכj-sĎgLnɀr퀸 ŃXoj4˕On\+BĀH'gY\z\¢/1 톞swl9>BOhdmaσTҥ@Lo0݄_ؒ 辺|yz{<h"eBp]䬿HD#\9bfM_'O+Baٟ44F~*UEl% ؊1i4FcYbzH).{zNϷe}Jb+S)4͘UXmn-]|{akIBpo5x2: V0S7 pJM9s}F>9R n!@1?N8Dv%)><{5[/D5LwúYCj.`]SRg ҖI`WV<>Rt=E|{)nAF 0 ܬDx g>6ix\H qJ\[ܔ^c4ZÛ`I>0[a( 8 ٫ V,[{o"33Q EZ 5`nζl-j2J3ק94E;B _25Upk-xe1 b(2\04cń#OyZO\#A3ˉКOns;2VzkD9ے?D݄Uv=tj!Mdw:w97_UO?붉m) ` (Ƞ9}2B#vhl[ viNFS,".u@#y 9*6(B .`+A|  !*?ʼnIdG3sH7ǐZץ;I$m Ka<Vp2_HC &/lISR Q;u1/9Iw2ygQͶπ2AB,kvq6*<8:kbvKŵ 8`Pr*uZ!V t,R5UkvqhqRuyIԼʦy8w[;M?ch5יN6 *QKfiޕM ؂@2'˺:R'Z^G'WfXRsm5TsC/(?8h= GDQzy\j1 ، )H?92#9Ŏ0: daqQ\#axsp+qz8:`Yv=;L ϣm䗾V. –`ݶ_Wm* 6V IڎakY[Ka Eͺ?D_W3z%|al?oEYQ!Wˏ".2L~[EYoloxvcFX58$}k5wSl䄆%51FƵ.0\3DT4r0Q_/ q/OaѝlFkGp~)T]|GwNGOgC03tʍR])$q07.t,xW,͍ssKW܇@,,:G|,t6w1֋V__v  -v2 nz`tP*PnKIg|!8 E7KEBx#0QXKREczߐ7{IꂮXn/tGa.#k9ѡ hC>R"6mƞj9ڦ8_],`?.Y n; Am@?>#4"!4_~HW؃>Q3/K h}'x<4]##KE]:0=v~ JٺhFFTq ֻ{ue$QIrP`H9ְsTw6/A0C i_gJн2#I:S>N955y&]5EC#=j}`_cڀj34vtҚf=+dxQ^2^K*RCo,Fu;8a)Y]&}̟׌vzkw[F*X=]Lp#֍{n7wB&O߇|o+ "wVM#jFsfdk7c$$QqtѠBoҌxXZ͸h@3:GeG3:,Q3h45Ռ4#$mP҆2X! 4ջVS-;}'H{4ìf4 ,s~).QrۏJMK't|.Au! lrը0 Zxa.^co6`TzH[C7C"$ϋ"8 f2EnQFڪL3ifoW&&{lEAiҦ p|Fy v:Q&LysBBL ztu\0J7bC"הJҖuwtQ_I;MzW=j|UN:`_c:Gxi-c{85=9*8:߽4)[e~UL?J¯hnߦm? 𫵟ط~,7hE[L{oMqXϢl8 P2_A4V\9{poxY,Pfj,x<Пkx_jþ '31 P^Ev/0$MPmwTÿ7 h/Z[xũqq0:9p5 -b:8&< ӔZr|/Z`nY+z/҂*'M3€%_v՗+Cw7݅p"NMs|8btG"z%8-mM7ˋ_if:?"Bx i~ P{961~ۀwK/uHL[iMwk/3/ =z,<;}+ +5s+?  eoՀ./xfK;oՀ./:yWOHy q|~/.~~"TF/w=Nybl3]ۯԏHjKnԡW;!X5E޺}w@-A!lN=a8]5*9u~Inxݨi~ •^p¯|%;uu1T=eu*(.ϿAtr+.Q~$w?a,!o"p$w;K>Tٷ}~Dӫ:} !WO[,ow!k~p v+tjCUnl) 澜) *T_3;hǘ_Ow?CHG7W?\U۝ (u/ywnP ͦAVcՌ,(ܣBÀ@"A l/(}N 0_וT j E<;O0՟U񅎠!G@$AhsR1|5.:2'1D`nsW[kA1 Ds{t=b,4R 쭙ۗQ̈́(n`+N~^ÏʡM}m spV^^9Ǿ.(`VW4.LJ|@I0(/38Ci(޳7MTbSL+Zīld!6Pd[@Z\(mEc$VVC=dr P`e2mJP bk|2E!ƒuZν,(Ax{/cr8lR!J rD 9z¢ä2g@@Q\y0J2<!Z7FPd){keنMF1+ ºҢM2R|1|4&leN?Ƙ'SF)h9,SSؠ/Qzq36,9O d䠼}DUAM"x ќBp`2:$뗸 ;v} ]brуrQT AQ * R]EԏVI\P!iI@l?.E4]ԥ?+ㄳCwl?q験Iy$Չ  7=f3hȣ[90m !q'lr9/,:h*akX;#NMS` aGը^1QA~=_  yRLh >&-A۠w2"[o" aEh E9_zm-uV,]Vk:,hu)u2bbz_zxң%i#C$ӨE "5\~_#Q ;1oKvRxOaA{Bj>5}`Nb3=׃~2;E@dfd5pwt5?\v|]r&ٚ‡wmY&>ؔե :s˞{o-,qjUc<-PU[ @{&,.x] VNe':=܇HFDĩ)n=a< 4nP=jU;'!|Woc(84X>YdZ-4]:=.r#сPfY ?1rق@uEk`@Y~V@_󯬇‘IQTVFDDu.R@,<"į`!Lp18Vb/ !&B 0Q9&0f^ dfxo!b o[8J=n`jg&s/k(@'J|i-7͚QUos/|?we*8' WU1+j&:^ e:Wz8}KZ<) PNnK_!`)2% W0ѣy;M2of]Ag^gg?Z- wHYBmؠT=_ځ4X$֕fIx< y`K+S:hc Bto ùjYxƞy~p6]۸'I I C!))RW w8ý/=$^N]4&zacg-Omw<Dk tB߃+S$@6u=y܇Ťwaf鬘c\|K0h%"WEF=4&p7pQVkIVʋa쁆dpE1,E^I6RZnM:E/̹ c]/t ,L,X\7M*!/8;cnߑ ~?Ff8f[:z^%_BV,3p6͗v4ՃMY@<ktLZzøxIWѻb][xn"UΏ/=f{XSy>_0`sk#=Yk/߃w~ >KI={t0GX\mG|\.5"Hb~;|.O;]U%:;#^5b(lhE [?u-8l^y $! of#25Of3OJV˱:rZX]1r nxju:A۴a!etN]U]s}?PfVc3 MN>8k$ٸ~rљMls6 #Y AԀj<9y CQ^PEUasCGkŝ 0LJf.H [cV"#oH+7B[gUQ+Zeȑ*^\(u 4/_}:KAFM xp6A';}sB$Ik՘sxGH(qF] 0tYiqrIv/$T'X ]JȂ%},+!Qɍt߃p̄&ߨ\g,Rяp 8/[63!oT ̓yC >xPip Iڢ8lo QYx 눗/jvȀuZdP[GNIA=X]i)9gl.pqZP#GkDvrF77jWcz6IzlԆ3^Hj’KYZ+lVԷA‚Vr f@-OђY>1#-~+R!FPѝn!l7n5-^En)fHH;~v]/WmJӻ Nlʇ|XSnprM~~t,&V>)9k5 6Y 2paTŚ"^XkAN,MMBJF{E\\yN$J4MdK Os?Ywm) (^&E9!"ٰ#\#KTl%B߲7 +I1uxХ@2z"H x xD( f-ޢ/T"w?|aO_}3fh,I|Ձ-[fPJciBuji5Bq5&N& iA"vA9'G#js2FaNzIR@WFFZo]i>Rd,H+|J.aꐬ^D~NzϨ'/n/mQ:.YM<)ꃫEUR. "/[L*wt߭v" ;)YHG'4CaV`.q8ݮt^M_at:z=twu|֕r.CӻϷ0"pnk?~ ޥ?J;GL;OWt|~GBҳ[8{ˍM7וuʧOy4:-/_q_/L}G+kS1El[Q!4G-; ')屇P5QrUBX{t]5{l:j8o^UWN_F`EL9Jb‹&i6+O{hp 0/QFĨjkOCFKư~$)BPU1Ʀ͑"MYes ~dY5pK2/(Kh0cł!U!qy+ `t ITKhuР_1pɖ?y+/\ <Ma۽{W Dh@E$]M.@kkdZ"'xr>շ,rݮG v_Ƭ(eaȳwϾ.*ǣ}q?}',58,fIӯxF(:uǺFP=DxvyF.9u"9ݑXW;pwM/¦Χl=h E kw(Iz'4ܚ|W_WӍǮf4_;%)#` crAGAo+tS&S4 VMӌCKx0lx\9w&c1 %a:x;apGEzEM,St)eNi59U vo7ѡl{EVIvo1e8>(wA1Q+d'r_j8MN>£ʽZ囗& oź#vgM}<Gpc=4bV?iQfs4 A83))M0=?.Ħ@m4af)[!*Pf%{YsSV_\),؜^=$"k ZmW@!`>XQv"٦4ZZ} -8+;U½ߢ 9{+wɾ{ ÜuT2F]#b, 0*ft}oNKNK&kX.A]<,ny`Y#/(3֥8}ޖs_ c@U'i*k8Iزc߾ t}ҾGW~bE:QdfkL{^9QI ,k6^_g6R3Qb^—!leNCQ^bgp=wot==Y_R=F}*XTMn7kZ_"Z@sEW ȥRIN8Z ~; `{]{4\=X$>&s>{l?+]&|.<=Vp}O} 0&Q•ԅXPD =4զ0F u@| ¸+HŚKRR 4AkAd!;x^BSF.zSYr̄?%xQo0;K;$"c,IOiIyUiޑ%i"57HBAH!Jp;d9\2κ :o:)#/Ύ1 =\ t4/9#{3˓aqߕT0ReH ". 4Y!U5 H̑LuQ =V)`<|љ`SL\Yy㙙sȢrbu@4r"*|{8@,TeͺFFPh7PlsLpJVn\=b!Ř@eq}%V c`! $@&b_ -uֱ²dvcF[CgMjM)+17k:WhqԖJڨ/'cw׼v#+/ ] pXN`ĨKF6jaQڕҾX+p ĕ)`VlC3W3*ٕOFU6O1϶S NBt Gۙ}2X0ЊIFz֦eN]% ?f|<)Kql)c,S+q%'Z?T5IkUyW&U8PmO45R/ZVYkYѤ1tNki=x^;H!\)R {[" 'wh&Z#rɛ|AjZ>]@̫.s>~=dGp$r^X­cM$@" =&_[!$&7mo//L̜v%#2.2͢bT?5T*9g2N_"(gFScȖ *nW{tȐXXך!R Ld QL&:h[yxx5.n4{ ;6DdNݡ ow،f #bS (Vg5Z% 3!zH(,ӹHB QoB`HqX犌%ˌeD[KN6`6@!2Ul *r&F٬WɜΑ͎ %m- B-~@VB;4~eWP[{>,%+ Z> &Q >9aV];PH \,i@-c/m<'T "8Ip)|%a~(IuPb%jg幩k8Y#[VAMp`@Etv[ZMځ.Fe8GqGȰ<{Õ?rg@[`b8f`}3 s#Yn #!/O2F6om)I?FV|+ph )`|.èLqƗ/u PyY{^sƍ7^rce0bĩJN(ɦo:J8Q4n!ԜJ\w6#JqYA\&J8@`M6m?I+[9ނ Z*[2 o Z`1dJo"Elazʒ-L[SVᲠP+lf"L@+ș{CiHH:-P5Qɘulʜ8q<_ Nm&9bϊfȶܡyQ%iyV“-4?4|eؽ,J4z*@Uh{@^0=TqW]_0شT޾ _M7YnTNYnCu|PkS?fbJ;;1&U\B~1}@`T) d!5Lfy*kY;I$#hkg?<}?|O)j3u1ćg3&FhpDdἌ;])t^5N/(.w&M'9FVu> GN`N\0}*qƗ,l!;)kN'(AqPDԞy$MiQ{Y}rr"J Fe³agzҒ!Vn坌%6dұM {!TQR n!F}^y XV FoM-6_- o a65mjD0^Ɛ1eqy %(*+He@fS;+\i P̚]/u0C )fDs~?O}v%+tYyÙ<0-"qI: ~xҠx`>1D&S-=#ΈPh~^Q8Qr{;bj9$3sϬtNyAn-YHw~jD7-B/v59q0ޛQv0> ng;s5c}.ԤHٚ.63r=AX&coH\WHE-+HvGP: jPЙevV1AâU#yp9@B*=Aⳙ da,SJ(|fJI_k47hpgI>ݜuQqZH2e8rp 2.exzMtXu } N埈{қ5D$\4Ts&jYGCj(qLr)f`b@dps@ FFVXhUö)p fh]}[BxM#Փ X'=Y4H+ᄨ̑^#0 ci6$B!sٵ4xY,VC6.z<Xqyyd"Bv=ڃ9QY@^ãk3Ox^huE-F"hW2h C:plMNzao|ȍiAiO9J!xweR Pݕ~C. ,`s+/)s.Z/yP=UtRr4I|h ;G+_`7hEm ^_Qaj79/S={W8J$N&5PJ&T*WI4Er *Ig.p?Gts|r䈻G:) wWMicJZ?/[aQNhe/'=lL-C`JAl^ܙ'f$r9?SƸg 4g%K0B]͆@/X;Ba[tk+{dj Q8|Jxh3>s|i&)#0!Q/HPb=POsd`J ]owq5D]rWP&\$XOkq/A(]],rt$cc3 ?N>F2-q(fB)'] /T< |¹8d]q(k_OG hRx֒ۉAlE^\B/Fp*; LږsGLǃ) L2GÍyD fev$ޅj0")і=kg ukɽ~M~;'r3e7 M[EV*ZIrX'^- >U Gv=1OXg1>(IH.k+Tg3%,6>̱\0qmë%dgg6NXgiZg".ی)R(̷0PL#q0 MUi6Y `ФJS}_s[:/[AqɴF0`=vZeɠ5b"H,W @K# Gd x#C'b l;TeD.bF?nǔn 0;<`mW%A!JY& )d,_e04 x@"$ 6}4Mܳ5Ί^chه2fjIIcĦQgiYngN4gNiìO0;v+}J0EU=|<FE0;;ƁI4e[kvCCڈ `(ՕnGn?}6 hdd]`ɑU,W>'M$ mߝ(~Fjn"mGȏZ܅[F9%E LL*o-ElE&o+]8 )z^?YzM5qjVB@0~CNn jZHmGF/ iA1"5ƭD5q&H%Tdą6l(S]~ҕoɅ,{EN:VxsRP8\B;OFW̌]pE  os-jzucVQؤ?N\?N>a.U7 4?&*3݃4] ca A( e~c4VDvaBd&,㙟Pc<7PfXDk~UOu gy=Y|צzT4 4NM[&/Y%̉6L0GI  *5(3} $m(UlR6Z4qVE#h0Og`X16gAxL @q4A(mgD Rxfv²'B0;fr~}1HPgC6Q(hY8d6̜GbPZ ͢zΉe=JZΪjdgt L@Ϣ%\iFQ q 񁮥4z7).lJ|@񥓈zJ0.sxGw!8 r¾cUN\XX?E,XF4tp)65@lB[F݋,U-a0,$dqk[@<$aFdswOpNnݕo /Y'BTN&#7ȿ)ѳʱ+M^MCS ΐ1%!a<xEdz/<ؑKs79cw1SIN%6X覰 4]bBw6C=Dh䉸tߕf ' `96%|IONMmlA|DFzA LXh[=H=!Lgz8U 4(vhKY~MyZ]1_roR l&~g&t|i4#4:[Lrt*̶!&^+`[9 ׻tw7Gט:AM)J'{C;GT[3yYdy.&N|mPX4ɖ( .khm;^sGemQ]2Hy]Yl&}z2#b7ۀ5CjХ(a\Q'O_r|2hFC+݊ Sobd^Oj4)[m(NGJB'a4aVm&vNYӢ4EU ɬx8V#Иr0 ]{otO8+uނQ7u=Ӭ W 0#}< FO`y/Bk)%uyu^Ƅ+] r !2SܧR;"ϸ)Q/c`_@MS %!7 EM$1S(ZQ$D; ^0'pHxD` MN^(C&%#EVk~}2Á3A Dऀ^ӗok006W$t -z9RVO B:e4t;ɝg^Ը}9a^=eȓ͚O (=} AMy]_>/ȝO?>s|/|U'/?/3/]_oj̍ء ٿu&c5CCCCc=Ip#sFFFd(wn,P~vJU;~Ɵ?>>t|drޛw|h4@Ubs8Q&rS&vH ,GI9 0 ?̲u6 C%wjf,NKQG):ߢoeEJs(t82 k_֠slMyŁ)KjʶdT &}Lعp>Z4RYYRvX*6GFIhmɮxs1E<$M] o $#'͈dMgzo8)Q{e#OjB՟F_f<4}^3C9av/9xSG",J@6Ѐ:AЋ13vm ,GQ()`_&OIhؐk]W c$J&`-8 =߫4%8)N&\0']"UUq1Ea”0 "'A 2|FQ6x(O22 q"#}" Vˉ00ZCTtH= 4Y1h.㖡 c3 nog[`0x$B>_ BF piL<"wR_,8.rNSpZUkơ!Gpsna877/ـ(Guⴏ@VA GrXYwR-_܌[Nl`"R\Wn(7̏m&#g 8VZyp̓aU^+zx pVE⛷V 2=8ԝHM Eiݥ2aogNQQ}xpX iM8z ޴ฅ&\"Y8;M,}wbB-v!l dJԤcKE~L_ң^zf\z9?|'[ e=ZjWxL7:;h'f\}]n_.%\^2.$S)gBwg~IR쀫$d~B}kAՀjz<ҋFM!9i]ƓUP, >Ac1ּpB0#&d:iCE_K sׂF!ؠo%sg RsTGP.(y3|j 3%Ĭ(nR*Qcs%)^Rńv.G+o2=uH+-İѽ?ђ P"q>M,@(-YEc?Ƚb~L֢Al͢1(<"|,,lEނUK86eL8^Dm,,>NYuNF%=vy4;' X3(, HɔAO)] (^S:чzau]n=2^hvt+L{?Df9FyGֈ« ď™=Vm(݂! B6Xmd'9o \(a3<HXMbK˖WEfMf $XZ&g x7aE򠫬9]iƺd ٽDq126K}$0$g=8Yhhgy'иpI$8s'/_ cqtζˏ,Wf4'=EGu R)= .BxrB8w*DzBIj9O7A:.lYfpOm;ϯJ,ǫw=ʴoqD) 5fCNEuJf ݨ@+94b&ՐN ^WU%['41ɳ l]d( 'fT@ByaIRV;mz6=S#d-Z* ҟNKXNyz&@zs깹g? 3泐]՝i낈V}g4 Ūk6 h:U?fP'ga~\+]3XsJ_;K gV(=e?NϢ幁U8W۔]}G&Ŵs[I); EE IXfXfxKz(ŀsϫ͈grN5=@m&ჷQΔ. [rQ Cg+J)N0n&k8aR;D}S<'hHvn65'~o΢eRYW{ yU6W'm k,J&g Њ4Y?v"l< b@Qʟ TBќf wZȷm j؇5E#R7^/?τsD <谹9`AP1HAb%:J`PfHL=Z>gBPsuSvdNq9}3ppik$gym5lDZ 9v9Eb7!# Ls8J3vpn+L1h/ $ %fyL@t` &ݐ5< fBu <[kBIM`P B}wsv,an]#+g\[+U+ggs%pjAd$|c<]IxD{C烡⯗E Լ21^ a)@Z WgA{k)Q27JC֕9TWPd7za9y1&h~S>Պ򚈮{BIxo+^w7;|rhbr(x"!zM'έQEd:iQ |TդxdQrbhWi2~åϩ!KlF4\ @(>5AYA[)m[ogG| !\Z\5%5ul 5 =TOgfzx>zzBtci@t`uХaJx(3ͳȓ g4̓uAqT4aL=>~p S?R {~z|DifZ5Uq=h>;Ǎ ڣ!y=~AqG9 `,В]Ztxo{ !HziRa|0YbuI ' k]RZ$b(2:$v}1S^:sl) v%U/Ix$*͵'Orf50DޙS4_K5~BM`}m:R}FG ƚ⑍C?WEd!TR>q _ i:Dk;ZЂٚ{t>2Βn)|L3(wG6B=#gZG|Xc€2KIXEdSd>b:!R*]'V5z%Dt3&F49.NVE)BG¨ o ij<6iuIJٲ<\4”l-cŴ (0b 3A0LԻݬaBy|p&5q'g9;ǽUbf9}wZ׉ Z 㙈^K[[-1y5 .(!*zV !S2+,-#\,Wᢚҭá;'l`bQ#\dr~̦@+KW? GY<M9Q71$N/h<QEa,(΂ë C$g=f^n( ez 8q˟(]b!: CtZV+O%Q^$g)UMHp,.:RBl|!1qJ PȒ!4c8Ϡx+X]CDִuqy}\c ,[s xfⴉ JAn +@l!?eY ER+ 1OihdBۢ?˧x.>œ0*7sOU=N%Mt`KmT9W|x_1`8048{]ӮύHQChׅ`Z|5z[7!lqvF1Y8@ d㻧`ЋpxGn7'.ch>@,ZzDbB݄8c pa:5w2aDj%?cϾ(pWP(kp2#\8b.5K(lnI$X`2<(|5RZ:^lA0xh.9(@g,% : CFDQ-B+bIh$vy*`OL˭8P>|>IA Aɴ }5cծcZ*OBQW yY]Ta+P}lD&3w нj"uǭMX.*JXQSɆ[NB)Y^YV*cf}P wڋ>cQ0C߅֑Jb BlCaH#ǰCͳLg ^E/qa4ѼYQEy逤_ >E℻eFtr5Iڠ3B[1%{V`# /D(k!n\x 60yG8ANQ S[KPo{JCb# rVUɪ Jb 4#[ZB0X8p0ԧ_oչQEMTǞRɽrf^q- п>:Ε(Znt(=$Ih=v0;zZXl15>&v CdvRANg2JTk [ߩzQӊ) !)2kȧ.u =b!IoPPh@-֨j=G^X%? @ItJV 0& t%ZY D X˲ nR1s>stA{Qѽk CߊK2s(0Q#6l[H{ۂ=۔t$SBPΛm~eT'b(\3yUA`7QaI13:CIN+T! #m5 rdT '["=P-z gz8BpQHjHV(A$3T+ZV 8>yJ^נ\>ޕNe\qB 6fx[f" ۢ!dIF[Qvzۺ7O.З:п+ JL:|*:1Q'O_r|2hFC+݊ Sob'YؠyEkƵ'(Qu9`u%i/ f5hlb;в[owVq lx>@!F<#u]9M]L 8471cP@>I#;xӯdۨGad;yf !46~OxVĶHmT~4}N-ϴԍcEVcs΋#NK1>t(5p*%?IDp8MPkA99c&\Ĵ jGfsIL}e OjO ~A8Oh彇(i36LQ[2s t_:Z\y.5"(P gsm,bwK_~+O9Er؎C ͏`ٕW|} 82ER!7_e3Y}l>"twRkE~bt#<t]&J݌ C N!$4X˲nn$53 \̦?:XX2z0Rm#d2]@7 "Ft{wRaV疃 ^C{_f_=FYU:UDPFLv 51L^hN W!U>ǡYe[gܔ?(F]u6yHgtB$2f%(VpNQ"`iCYw0 '@0xDQÈ{7Bi v'߇] ) A0 |+)ң"g轇p/n~/qb(}4"iFʙ#CY?#p4Lfio&?̋ӱGxyP%luۮ/vhgP?t|s~Ữ>/w})cח?u})uW;`ne5=L#72G02Rt$C;tB1/۶pb$OfOƟ?}:>||h2dhq0bh<ݦDmCRQr) وL+gH|oDl'},UkLl}*LxzIsRL'm r%,Ή[tH]һ$#`0hj-+6bұ)[]<%@L,Q15bn8dT @Q WGB[e.%mPb:!s.^6 ,vlxFF)] o$|#cGH13tEa`MBdF2+\ġ>^DhJÔAV!B`mfAO_K65*$QNJ_…Yp2V 4 @.4j^qw4M't81ZDyb0PLW\SHQZe(T383 )#X@Z1[a@Z71[] zRu$7xIAv ڸj4LSU D]V _H121&1x EILnVp/&zqXtDt| >zD7 p|QrJ/}S`SqCxh JHW5Csŏ/ZgyK sFt-v bTtX;ڞzM~[ohS ˹~f͞A .zג®)S_P j7l+8nXE>qxI?y(@C4&S.swLkxo{5_ꩠ\Ya?C!Y#c4^Kw#B%$V#/WU6M 5ty>;)bjd$mlbǔ>/$SY3 1@G^DRs8Lh@ĤYAAiaϔHcz=yJ^d MbO-r0KȒX_ J@r i1\p i}xU4Fzj{|pc@vc9pgh񍾽t}iL_VPn ( z9>(% !53{~¹8#kΧ'Gψ3@!'~0[Ò G< C)yFJR,uM8˜S̽:HIat:5C#@|j#60%Qnbp>k8=A%߸2^`797`+&|)H<%\&/6+N0˧C$6١3<>kJn#}B<[[2Kߏ$ÆRGS^Kla)1VCK>Et ܃Y6J CylxŐI_OrZ Q ַ44ũl-ؔ~ػ;#2Ls|u@+~Ede\նē63>,At )@Z&Ա`"!`DIk$ yPTJ&91@ÞTEDWϖN\Vrv%4<̫ƨn;0?N:,c8yQ]L6EY ةh66'8ތѬjy:8 '\ p°3DG'@7L'[JGUmc yeWn#k_\ %1^c )=4 iRr `M`aM qrg y4~ʋO' l-nWWg2rtϹ>7}Pa/FM"R1k7!XUqm\ə803 |ّ)yFv,9Np@^zrt7HJ2ϵN>x9϶NFĔ h*3#fI] ^RdH6Ds?i8Bn&(ɔgtҒN6Db M*TjZQ^+ӆ-!ޑ̆x̽ ww2LuJE/ө+MeD&urt})E Z5qiň/\Ӯ=ebsFr2t>'?! -t*uHN޼,KeO'3`xRVgl tbyqv`uofeWt)gŠt;[g:9iY+ ʛ%fVn`؍d}a5g$Ȧw$ni;OPWU1;^=8ݜsxLrC{܋AЦH;^Ο"g3D]>o.# to?" ^mU~s &shWltd@O%NXoM03_$]]3\<`$LQ]rP߮]8BUGdp눀DNa M%֣bi^bzc?8U13z[k Sytx4eYB]n4ǧy`~iQ- nAۂ:մbS>:owIQ5Q Ŧue< -PKe\Ia7\8"# 8caBң DYWx{z5ˎhw2x#ΥF|zynrF sYl@qrQQjw 8-ڣOjQfh ad@T:k:Lh#s=0v`{ò_ܮd# gϐ~5#^p4RņJJ[Q!p;1#"cte To[Icu8ztnPkG-O>s4/_~o<'ӱɶ+`BACTA+`[T=oѫoS~= D }תo&bFy$bk !ZGY3젢옆օhv߳B1,Y8L8}sFvt֮b~YEQ1BW^a6paA.}k %T攙 UJQ: n9BHi:縺a<xFVbB&DJJI})UX ZRubR"dE9JW\lW3 .A{i]rdW\NΨw,u |~D(4 G캘ϧ aTJ;S$ =)iO,L=]0@-j-MҴk_Cu,J_b%Y r0r)gZ7CA+Ruf(hb8loҗ n^痫zJ;_h/dGY44NSbRG6`?x7Sd2_coq%#,oɘeúɣXGI`!ݏ݇?[{ۣ$1t}#c<qcg*ݦ>R ejWl|Od&nnH8hl=s `6BqOve]L4.T5Knd9.Zk U]rv8ίD&knqޠߊ.?"ȟ dϏfmVI`M,u-p6:G9sN5lX)YsPW{7\[et;rq8H= m[8{'b&ҙ6<<f9ꭞ?tK\q+l8X)B.:H[WhI?a[:d׍}RU&c6 TOH wKJTw=KY2;* G6-ʇމ/ʙ0Hx[53:ɣ<tCR&"EW98gZOb.b5s8W _ɠC\\e]2rԮ001SD^PdCIgj2;A:Rcv\ ;F~ĹoD GIĉf%9)<ĶgdlD|ReX Q4K\KO2zR~FS5ȋd_7][IĕFOLL^`- 4b4Մ15792) vLf!'`gh<7;͉+dGK܉>`,u#i}mV">GnDS2`1]YJnmrn20OKTnmkvŽBJ8R߯fMz*WK^%O'/|\35w Z^SG5,+U"uA `%0A Pn C+YCvf&5[#$PX{Z葃R'䆱w jL,XmX!<H10YC@K=C| A7ӹjNJDK_P-gj4 pQv>L@U ]DXL<>%'-NȘ]E-~KkydGTE0DkRH t OS',2'K PA FSEÒ"n=Ɩ(DŽc^Gj|0ЌwBiXT VQ);;@|;3iRc`+rM$H-J1Ó[hf [0b^-Ӌ:8X.Y!#(|޵"|Gkb|m,zb< آ3Ҥj(=)G^ /!\m]ov#]$䈑>C޳)I8U 7iOi9H& YuAucr)^U!S"5nE \HeT"G$$ RE {V~wKFӈM\9 H8lFLm8 gbRo#`<_'6]OmdWZSxoV^aRB_0إ؜0$|yiqqU56H)!Z߇<h2eVi9>4f/V-:"†oL(9cS[ Ip*{۸75(Ea%Eeˡ+v61)w$Am%j%%K3n`r 1Q)ԸO{ѳ}Ԯ/9r-,ؐt%w&1sbH*<߷3aKȭ&&i 4)y-X& 3Nj7}C׉KM]ڙZ\׼\H=  wȊ95-FkU.}87Yu\c>YumBgw,¢g^J,ۑSo ]U0CT!=x_VN wW!5SyEi xc'Y 87+^uI/X믏VWuf;7EOG7:j%ɅEܹme5%n /7'U=Иlykirv-ˢM<GNi[5z n&ʠPPlrH$BLGσy86ӏ"7>=|>JG+C {I,N7F 4)a2( рk8; ASb%b'p0QCaeQKްQWR$M߇u̡OI0`*d]K~Ӝ`!LXө+ZV959. әB~)`b:D;q5J~#?ԩ0gӪ,)zzTkI *OŅBע|KkGZwER2jT^'U<}?*P?C*Zk̤a TRJ$ԀA) g_.Pu/HS<,$:cxA([ن7.WŹ ,yg0 E 5f N^%r" %LR 53G>|Xsɴ@J>%D))SyBY5+ĐW1&[KPLkƪ rGE=;a$|rGr ̠Ab'R,JnTa<4Q` ܫ8^sυ>C|D%=oO}27]byٿ̞ }r[-cQʏsz#(bDfYQ%SI= WbVpA= АzȘ"` 7@Ǭh"%h$N=1E 0G$DP b94 GUt3֌oȿ@4#aLT4~43)G}ai4&̀fZnJzKS~S5/м4CD;/J>zWtp*$""%=P`bjsP#)jubZOvyse&%|[L)e`pNXm.F\6?`H<܏rؕ4px.+1kR\e0cPjX7/fj2v;1.lߨбKR|"/qǫJgh}SjӬB|82ݒ1{&:\"&]ŇyCG+rE| JCh_7^8߻NToRk#'DtS]Yr6c cGlt}!] n@1sف ZeLAzip3PBsypDl9tyvn΋*K:dnOVJ @-3GD̋agMwѸ(H'(D>Û7Jȁ*6b^UZKVR.7vwg~m.UX"O-g wPP@ KhY.qLDA %}<4)vVOjS'e2b;-}\  +^ R eH}K!ʣdhZ<% qLWFY{(l !MH?%yMVLAu43; hBb8S/$McHz{4,w;+VlPVgl7ζv~' Vn۾+a]?cf|Cv_mYH?tڣN4.Йd2px~K6vAK4\Ŏ[1Ĕl4\zmj7,g1jftRI7Svt4"քxS7FY/HZbl/y<  w0#-Oc_˳ry S]UyS*̏JyzRKp%7TpטEoV=y9R@X( 4MDKRoEPmhYfA,bSCyb f-x? t0Iiׂ*Dӽ*Ftc3%x%@ϕf"-nxGoy*Cyd {Z=aIhI<͊nl>YWG=4Tz}l'eUxS{,,KX xQRf}\Y6 g1Quo{_/HĶGFُRG``iEkX̡q(Fk;sOuLJPZ;k{U gxU15y""e. =&HBem2PIZr32,D${lwRc2 $s[*WKŕBycK#l t=!/ת8%L7"4@G C||W`oOb+hu8IDAbtbTӾI>= dx?<9Ѵ|xw'Tp`"ɗ/|,_~1]o&?={Q}*/|9G/?/ۡ/7C_>o VlW__57Znnnn1= M+VfVFt)K۾ebxӽ{Nf>>ޝM?>~2}J͓nԔ@< )\#CF]Z/4a#aG]LbZ_ ,҅wV෽S%pTȬ^-\peq4y|'P!Z N (qI-,:X\[5Ե/d9@1OS&,]mSm+,!V&q[sBK۬%ꪐ/WBc//+葧 &iI6w\DRjhP@x$=Zp+qz∦m*W㆑B߰!ZC~(c?L&ڠ•rafRϫ 8zz<= '30Gp0=k}i)az51=ƶ5mބ].YO[&}FM?č7Ͽ=0'6@}ӭ~'G_QJ17Wm$5f2EbA9AgfXINrp%E@TLDCS L o,V-pdYϸ8"s7w&W\().lҮn +p!P)I!h[JvȲ҇*(*-$,c 3Vc9" B!]Nz7'KwdS{qmƩ}ѿ}޾pK.+_$*-Y+LƲB_"ŸC*j){4k0@G< S 'Q N͆+Sh7c8(Z:ZTR)k5x V|B״[6Yuv!(#`u4.$5MLjD<ʄ#W+-h*v6ikǤ#7 ѧ(K_j0dr6l(,8>,+/CZ&Gtҭ%B 9p`J3`Qb6Vkj3yKق7lm[u%9w[*Y~1 $jҪ""^I4TL*#> G[ '&A* > ^8f,sW&Ŗf.ކTfSY1g 4aXC-%2DryUr|S1y560`W6˅`Idg1Z78=GwBɬ ~F (cل08* _k?5Mʱ>vѪ硎3ƪRw01aA9"쁠`@?!7oAĪ`ZqԬ,+BriwAݑ]#ʅ҆4hϙ.(BPq3XCWxwY%)Shªh{$Lr-Ǭ6ge0U–`SGQx}m%XAkD=ЗWaL1;$#> ジϿH 3tQLQCYN.[ 6{X8{e q-yTi%>ZR亘_c'1Te0>ccX|ErK>8И4KKtl1hlk f R'SKzl쌥ƶ!#{BrR'E#,avC5,3˽%i=L2 J2.j+i6D}2.Į&YG!rQR+ R&]ug IW6IJ8L.t0x8 R>v6@(AP@រt)Яd{5D uGa An엇6/ /ZQ<\FA*L,75<h,$kej%@cLanȕæc~ñP-'+CYJSbKH[dJVe]@r, KL݁MӖ:e WDpdxro_Go +PM=?p n3@*m bʕ߄Ͱ ~Ajhʳ[,^4ghx0Υ~|ܺ\E([f;^Di0PZ0`6n)kJlo&,CpM4HV""lڞ]gCSМDNDeHR"0= :fxi8 3^ wk^VRމE ҀsBZX'sB\5Viq_ , ,j`NbPmN{=^uBa jDd9!լ} WF>C;C˖A&wκ4/[Vu [S= [)6)ga\}*d}dߦ?P<[݉åwm/wT, u s(uǸ HS7F7^6H<1rg ?wh b }fa6 !;E'BxCTlϏJ{غ'#ib2@: 0󠏖khP@JMU,? =aYDeB߱Wi/%\u\tyvNlz-Tʟ(b\ %kCôqt2kaP;]56o0ӑ._e[/ kIdc:"p0a&ㅣk""֘G054܆ϫZaq kNӸʢ\a 'Q4eJR'N2 ݟ?E|L6L>N^:pCͷٸE:*n0t4f2]15lEd9 >.gMڶV^ޖ.hgџQIAGG,71toc\"R)xbe/J&(&)pˢvY:p!Y!$JyN^L6+Ֆb/yG`éz8;g8jEk@of,R+]G P$Sߍ촐zlh%t~崝k m>,t)[/>[;Ӑ(Ap!=L߾;c eb&CaE.XA̛KO.i~Ea<^ڀq,Ua@e@l2s>"⍋R`#B`M$e@䮯Ak$S[#uceNXġ1Gi$Bnb o-#\7ϵxC\YP><]\ܱx-r a3~{?sGTYxy9*,Ʌ,ZTu)%bSΫE==N&7rg( _Հw3i ,ʏ1 bޘ[Ѱr kFa[?ޏ2!/x3D&jEZyxoz{?XGGDS@QͱV6։C-6xg1LD%7&W't"AqYu)oKA9ZHH'vO3ɢ-FlFq6ӚaxR8r ; &rzL%&KT, Mpa PtAkf$}Ī/[L3S(`.`b&\ߒJiApOY/GS"FN'ڌ2:RCK؝쥟DUiWtc䑤(Vto(!<ɐřAj+u@!PCqt<1ǚ^Q;](84Y#S.O K):aT. *+ 㻃^eն,,Xgt%flKCl~i9k븕o6% L,mv"E81jr1OI1гgX~k >TO~f6FKڰ\  {Q"U:!68s..\>;jR#IjRM-DP|vwИќ #Ob>(dt&ThA/c^} UkLnڙiڨWI=Nd; GBף,${Y#L7thzYާ_V-ҏ8$n;\JcNjU%1ĝY)ʐ Ȃ/Nc%c8H>)fo5-rtNFJ$O)S~mh$/{r"2c"ʥakNLnxX(Dt_lj]FVcFDAs*6293&CkSԜ,.Gtd; ` ^5Ia ,, 79BK⼓R F4Ag\7fWyyĵܧ7Ⱦpb>iW2e'PsK>n0Amtn[ P3R/! T ÓY A]U]>ɕ衕R"o'hnc]&f6_'4PS cKwKhOHGkѶ~Fw0 ƽ! GۢS Z$JcAN,d [瓫p[8@͒7? 4xZ[Vuۃaݎ\>AKgew'UdgC׌ ҲJ 47Ò&ik鐂wCNFEc{(IfPEXeAZta+ lpOq]V>]8.1m:HzwD\1QD+.a_ [ 5h{6[M5Bf`:e}bZV/M(n2bv`4[C+nVk҄SAn%TbxĖU5&ڼ8Hfq 8-L,[AU2Vw˯?7Mcw~멘i1xhIiJH\q91uwT|] ܾ]K-A“ ?oYkUp`XiI.~\79j~WT=7zq7ʈx{clfoK?ɷaSΕqd_4Wlo<&HkLpXW#FF;0qz`?S-Z^>Ԕlu96c-gnIGt2С'1]Ω$Z"C#*eU<1 9"tRB}ly;4f foÚT%*Weo݆"<|JZ6Q#Xи34_4Lb.H.U*%"rjz-V%4ƍ.Uذ&~UKZg| U˩:3&9 5!kZE ^Tɨx䍔86Twc1ݣ;_KL BTYX̉4Dl⢆g3 k uwØV| \dr ć@]^$9SlM]:pu$7@.ʾU~w~ O f/_.JY()'bP(]+6R,'CZs auUK d$ ٢姝k7E.y%%G9.S1%Fsrs݆=EU}Qq۪lҲ4c_%l$ w[O)PY5.G[>I6T%i*B =J>(` ¦=]Td4qT}%͂joȽMc\|e klι9)25AO;LIeȆځKLL00^ na[!JJsVwcfAm{w$P>/hr~Q< )gc8!hUqOy} σ\ov[\zB/0Wz߷^|x˯oO_?5K&$I3\iݛ7]~fhUv(WqpWuwo:??Z{im~z -y+x Җ+xc Ax0 @~!u&9QsC3;U(t(9#9D szϹ Wi&/9R~C:O EMC;usyu {=O13yjy7cLt# =4<$ǭܸܷ$?ݍW=}$Vp !0bn#,YE>ct>C, fvNLN E,^[0?Oi~ B /N>rߴ{E*$ajи2Y>|=1!I+OLN}m 黃 m |;i{~hC+ X|wڦ>ɪsIXL$A^7M\eh1o/j\v͘>cm&PHʈ&r9$\ڗp bKJa@ý(rz~˅; ǔF U 4O\ 0wTQQK9ք/NЙR !`89aE2߉;1O o2jn*5d]ޥ-˾+rS?QG˙?y+ѻ&4p6ʻK5PڴZILO7{ >J1Q tY-mU> !*(F F73rU<_3MjIw:3ch]5Ւǣ\$ BGj?{\ZB%cX&qUu/"\${ІYhXCD1¢GzCagrJXJԧ’"y2մDf,ܖ,i2A%o7 E2L6kq[ɻ;'P67UGr)DJK/5/x0+T. PJ[%\tتk&}VhexIWn @P; A[ w%!t-JޑiBnc#|X qGRU^ү'[QjxVvGZv)VÕ(ZXB:9;< M~%1`7'I]BMrMIs9-΃vA3#F{h<-?[i2sY;TGmzu,Œ棑Ɗc^ڴh[ڊ?̷t;!馝猥 \E9T I^V"5kP'ՐX9 Q6^ǟj~7,^\*5Ή梠a2K#x@t&5`3qR qpQM.t6(bWAv)WsNJ5] /bsv.Oܯ:n㍄W"kZV%.wq6w܏\$Dá&B[1PB V$ZpfꜟAҦf+Ya?>,rCO~q'LuZrp' <چK1?#cU W^0xklb Nk'j %- +®hUzUFKyq(R)_;=L!q9hkY^+ą"נ淠r^M}}8# YabYf=VFKC4U+փuZ)jU\vp-:E=~)7*4+!^J# =1GrM0JI(Mu4:D'>lQGfӔԛKUK OD z*Q1"aCeͿWyݥI7TBTo*EYaл'WXڱs\egpP+ 'od/rUvOV5h]9unTWZӂU}Aua8T*!PyYvHh@wrV"VSq~v%G,86IWiC36&߼}o)qfqw/^y3eH^Js_|ofՠ,/Yyy~b' -d-®G5EsD HO8HS{\Y\1=RѝH:j~)6˅, Yޖ6$#њ\9]4kor)( ܠ%I[l\ÈӑNkvT_%[OX΄oj-Re[1*+oRUjOv J݉J&\zLXKkd*iQAUW1pd28r>~G*Cq<5=hHp.ͻ/Ud9 T}Ƥl^mˤ<siX"ـ<~ܬڽnFsbww=Mtx,Eu2NЬNxA`l7H!֛B Er5!Xt1Dt;i^b!Ëx 08 QbО'윋^x-IeZ,GI;AdkXћKY&m]se M62 fN;~xV "]̒.&N|k!&"h;wjD^7šx G j tCfa^"vIX{u˝yŷUoiᢏۯ;Կafgsؾ4}3z(QAܙpʹ`{ڱ\p8ߡO5 Cd3(*^L!I{Aػ3gz= Ń|*0ȋ$Zo Ɍ^szI rU9iVn,7ͱfRLؾj(SCB\yOy=Ny.$#&`_zc qf}fZIRQn9IcjL1[,3.E:`ah.bG {؇kAR7 /G;{{s-` ҏKN:-r8Eő-C.XytL]gモؕt5Qx s*霂f'1Ɋhn!q;Yp1Ej2ֽɽ D6K%ߔGq1=+L! dȿQp:i"'Ӊ &|70O3;u&m0{3%JkŎ ?!~īnw'| $c˭vxaevMzae1a6~><ŻOtAߜ7O!gCU iLS_7rMسd;] @f'm(qvڒCبӥ׏EK x.J7 ID D9*a[4ae" ;{oEq@bs 2DHDF DB,% ;L[߹ܞCuY`eN GcZzTPN ; %mj[U|t= rczɚjM$M* & jh|Fiee#NE䢞jp9k.*t",#mbJ)pn\68j;X  _Q޷pM{DAIN9!KSȿICGzm$LF1K~6H{}4ӒmXe\2kkϠ[w"-PϚܘ΃ I[V Rv2C!Lu9+xrw;,Nv=2VnVlڟ|Uh钴,WZ^Zt$\!\?\d62r;V,¿ʴ ,?omBv4^wt;1&TTs<6 ޢFR)^d-HCI4Ai`F>*`~$ȟr 넵!DS M/I3"|jF3pSMsX) )E,+(7uDk{;(FyGBĉʾH<P3Mw4Yt Fgӧ4[k{>G#>\>muSx&}(l~\o9f| n9hO>BO <BQSnse¤Da=:s':ܴd\ __UnUw3_@txoȧC9>֎ oJ) 5";c~0*\Ad,0ZsW}$9{Zݖ{'o%/ ~$,.tmXHΛc=a~jK"-`ܧ]$ |> oRWe#~l@n՘ )KX SFͱ:)N(Y:N>%`Cf5a+|l?>q>8p{>h 9(P}&4#OrEoyOn-Y̿ J~$t\BGcbro᫪Rܕ* b<sZ^c_JKqIs QH D!3;.e uKd> jOrm|NP\0!]ܟmͫ=^&x%􇛎t, 3fl܉;Pi hu!5Mg;(LQJ/wd"Jpؕ\qJ8"1,z֢Y+vU[uL֙BtúF}P._<.M)]Dϳ A,Mh;ݚܘ1T L1ICdaasEQZXm~QcSו\C~o:{{r#q{y}4M+J}t!+g '#HyYAv(d.2 gb' P]U8`2 * WiUhh$ri5Ѩy]FL)YXMk2b(VY;I0:8MĶ%pG,D4Pyޠ| #0 J{]]ѬnM5t15IVQz^}ݘhbW|ޫVϵd=6ăe$EnEI%^Bpsِ.P^ؽn9D} GpJ&{gv阇9<&(CxVc`V&s-9l)>5)oY4sfS<=mP9>z' 29=:J& :DWNڵSϮ~ ?{fpbg)}]x!sŞp-oCc m`ؚH%AI^`TSHĄ[Sk-"yׇ |ư##kL-=v(I w,箌|>5Tެ7֞m;oZܭf#n#^Eē#)xO墸JΘ&ݳSTȑ5<=M?eSL ν:_}6L~>l`wY[Y$S 9o(1 pbp}MA|$'HFqLTtgOl,:ƍmvnk[ p=Q\t$ݑpuگ(ձ{ V m%/>Luo#ٯP]^[Rp)貼f|[-UDG"ŏ58_˯7ٞqZ`y{d 'omJMl3ce~Ii^ Zk\ܖ'>qMIHEY7''K`]TwVDF,ʝ# iL`٤0jXY7 b&#@[Ɉ_J2uaUSN7* 5'.Ly_azN _<'։,)G#4 pC "~ZG/m9Z{)kOs,ݫ!.Ka#.~if>MHY|Ғ"nrՋ۴)($dDrg,P)(|aihU-'jTЀGuy/qB z8SPDKSbx>^+0ΪeZv.Vkƪ6<dBGm&xdޛ=#E#Ͽ FⲖ>rnpJ4-uo]Xͺ?8''u*;K~k7|kG/~Ω,OC0O_;/ p K)1.N={*3=ixc{l"Iq6zTVՈbi4j|F7/bЗ<+ON!h-?G#_.zF]VYF"$=ؙ4rp[#HK] F1|FUuridpN*#4wljJ8'F~2/(ǍQKe$w) ͎ݢNǹb'N~V!yzx4A8-7 a vtd::‹tp!H~vH\OU[F" X@t{#H";poOVt78Fc(#ۏa/]΂P)㏮oIfŭI-ip=FzqF,<_t0H[ض,~z#E9P^53 eIk-ZXF߯#߄4"jT mk85v5iFkR΍%<|Ϗý1{Q?˽Ěo.SFU󺼔J L 2Q[Է@aWqG{ޖ.oX oALLa"e 2Jc^Q4Db)Qe%<WDeS.Λ{'!'>A?{$wڒ ﬓ@~wC4ܛޛ*kq V][jD:ֺC.磓Za*[6Co{>g~??#k/ Uf?쳆o_xp\~=CBD &OaRIf3&ٌɽO ~e| 5K{7™Lm8w ig7D]ywł&ƆxA4!dd zF!b3L>W?g?֗iWզXgt* 9 DGݷNi,FL``n"HXoY8KR 0?E.EzUZ:;+F\KY?]Cքc-*~hߑ$Y;o7] U0+qܘa[٫^ӽkE/\m^WLR  #Q'?PzfZ 9Mfvw,/L<|5m?:n}}˸10{ EyWG>"* *ie;,ӥHweMin?Rz:Sݝd3X4l涙~,mwI ݗ8QFr|H$efmĿ >8x^njIJtնlz?&6Qf:ET؝-:4H"w@P09pеFsךЬQ@*9ڼJ 7uk )"ΑiF#4(YP3P۲@Lx}(!!|$*eg҇?~ ͭ9m$H$⛛Q\GA/`<6x=ӳ$dQos8wgn,me S0T- v?M 7ð\ifz㻖#D\>9 _pFSNEu~Q] 1=2 Dکx=Xz dj2{CɋaD-LIJ\\Nis9S[Z1g/ $ #wEh8:s5( ^PѲ:^J~EbS0vLV1}Uw*2kՆ{JȄI8Ň5~ܙD=]3gH۠Gɋ0̾_ŗɻZ.D&mO]*y5dz]WɛZ{>-X_/uuzȿ᬴yuxg9kcL-eLL/V3[IuY0H}VBO8RY]%/6z|֕HT~Ut~dE35[Kv#%wip@UvϬ ޒ c+b"A*_l;hq65l,1BMċbF9 "Q9(PK[aG^̥ICTYXP#x9[dxp,ڪls}X) /x5ZuLѯg$Q#lwu ڙ5ꤢܯml70&VBdcإ|bJHoDB:701rE]Rr䥝 ~6j>}7v$eFegIK`S~02gNd% xF[&JlQвɲpN;>EfEbW8f="[6ͻ\Q`Ӻu#:tP '^QCغ[r=6v=Sބބ㛯F=z؁j??.sj pvpS`-͉'P>nr\Q =!&z9lJZnXf# X >ZDeӊ"|DIi,zXMo`ƈKk 5'ƺI-2lkg‚SF8|4}00Pp,XNŲaOLMNhpq?}:e_^\0d>5C,yꈳ#g`d lHD%̈Jjjm*2QL|nR0!1@U!ޑUѓQ옫DdR֚*ȥ pD1oRs tCPV֢?`1dl1̍^6Ɍ)Ӷz\~J" NO9-~|u2#xU>K _ha*'L R;Hրzo^m64E׶Ie.肧d;NLSR ֈu]IĈ/xK ︝}gBt1Db~ $$kQbAo ljo Gr;)!rZ.`pb(*6;!M=ME{AhP nzu3!R1XO9A?kA% $IYA{l<=|@Gkuilچj})tڈi{)ĂQ+ &F9XSCXjP, "cױgA$"c9 #=8E?y+xiN-7{p}M6tAc+`sNw "/5 Yi)nDy9^,)Kưao -ĒipV-ξ ( WL#C( $\u)fpb9r!q?lE-.rxn{$zv٬`/H Q`we aY1o J֑8 B7KzZڴ@A"#O C;C㕛iOd"ߖ ĶQDb|V*⥫H a  :1)rF*J#>GCVL? Yo,PI)Mg\5srLEB*(e(A#n XI8N7瓔f`C#S&p@Iؐ9Щż#>sN"zJb=a!q/{dq? =Jr2-/ %lx46iepD@d>'9Ais xCO Ao_g.K:+k8cɹRb(Wcʦf `EK8\Йst7?.)vaN$k#l\`yv:HR1t[?J5[+}AL4:8*8y5>>OlN)}O?3Ŋ+}^ʽUg>KS8ZQ2 }=uzy#ڀRcN;#r_9s`ǹD.P/H 5,V=[ 36A:#DsLbX 8#2N)V3n{%:Di'U* mfްҌw+eeE/P^ 8:jE̍0das IL^W)zY\ap&R*etxIe!@ z_Rh  %J{ yUu$0B%&E Fh UsUURmSWX3-W.\Q1q&TG$`Vᅫ܆ kWS*%ZwH%6/W$b'b_E %)$%YvI6Qc6t=,=r#?L.)1(,h-c걁,' (k΃p"H7瓞,t*$&v3LؙG8s]-z>PB痔@>3+؃CݾnZ1!5*ziL8 ! vǞj<醦Ƴ5 Db2/s/lv3>tH$.lOj9e# p5'+[؛Kvc6E̎׬k>VA] ™sYssp pkLdsa6jWy(Y|"֪e@P^>[4Q8xPaeL3M̄Ay67h p7_v L 㳣FFu8^):`$!WW IsNyub_FȶTIhڗt~A%*/ˈ]\60#mmѭ+g@ÄK']ˊ\)w{ *QN !m" }#1xݸY-'ZX()a(|;B&dсuTR:r㩁=yTe,LAmH#1i+< v*"b\쨚UtlӧJ[Jc؇yƝ"1.XX;3I-TWЭWTbp ]nˉzU /SF;yQyܜ  #}Ǒ˦ŭıMؤQ?ãG熿h}!vۑ_P{j?śS/_H!2Vn9Y$e7e'"UATGvGQ@? BG"F_h -8:n1ÔQrqe\(ATźPBF|*Tů6"iPץ3i<5rykm'z#@^'b9+ŃY'<j Si#4ih4aESs'9S H9>=ϣf856"Έ? #5-I:?r\ ]P/zCwx4pw;~#Ұ[yÈQeRXd>yE ~H3~f7/՝6q;7ClfMCЍ?753JJ[S(<Q%1Ez6QʦUUj?/8b@PqYs_ 'h\gz#l2 p c) r|gG`3 3 ;Pr mS*1C7ϤwAg`Z:F/DȔ-yB)혿]u7h\d]1E33KN30߆JL1 `T]|DG"-E?(c? wDW+~Trx$#vU? $YO~'A"V ЬHJ6\tƙ s]l^L[7amSrАDsT!͗Yn]p\&5IP8u ?ɕXAvq4]Ֆx݃nUBŅi{HB[vqF>-3R_B %8:u`֑&?vq%syN@kg^VMV~= EEJ}o >H.ӝlq?iSHIPB)78J_5z#dsHch]I?#Hi#|]/CU&rHI`ݩQ.DI3Z0Wp8 B @DziN x5ԯd%ᑅ@7@.QZ vQfC}B,o 9o΍湁N#f;,ލLnBw|(q`LdДY1)YZ>pyhbT~:t7p0IkwFdE(WKobDZd+hLNVh2X|$$ݎ&{ʣьQ@UBFԤLFOOO8]/\i’ W"aZVU:!) %od1 Ͽᛯۼ/ xβfT.MHo$|-ZMseqEI)D)GqjalRea#ul.w+" NaLс;Aんpu"v[RIѨXC|v(, ;~c퀛)t1٧uCJ6gJ - "_ɂC|W9|Ůʖ՝, mQE2OgT`( >b#^Qth83* J9?Kx)a;< Y]Xvb~@moO9 ΁ Z*P5 0KvBCY|dTܑ,ʮa\0bosE[11TnaJ6@GYr3M,wxǁZ6Ww묰$'.w*CsEJ[:V|]b^hnֱPɠy`Ec-5jhҡ,D=3wʦo`6]`41/3b)2P@?5әhrӱ|! <'U fUK(Z8Mh p^jMQ= sDYÙLib,F`@1u(c?[=H9]$gsno<0t5g6@d`(ZBuGfg y1몝%cMF[z%ڳN#JV̮?  *Ƭ _/Bs0'C|vl ԖFS6 7JM#|͙ŢJ0HC0HӐޞ ]U ' fN8ߔeh}vUqsK8!(wڜ}Z5vrӫ܌zE~ybSgXzf1ȥr_˰6TJ}T/1 g ܉X1C.Vjdl37 FJ,co]I9c4tc(ɌNN4@@$Mɸgoi|X颡Ʊ_ ys=;kj6=5m`: JWIRɷY\}[#DVj %qwHmX5'}dBu忩utZ*$=BXK``8N XIː#b~q$ʵAj+B`+(҅o=[Z3 UNv m.]K<$b#MuS,Șm;DN199vpB}h[M)̵s"4TAi+vo. !L!q m U c?k 8bN2WEߑ p o|Svt&>ppJR|L|jQr?S9LCw"w,lBU@j{ӢNw'5L2Oƛ K%jq(Ĺ}BKkN@-z%!X:c\(@ظ/"XRxwwsBsn`Vh\C;#T-:K.F0,z3\ $!؆jm ت@r/TѺ$BPpP,dW]0c:h+0_{ª\MDިr[ӭ־ƹ0J+4c2v\ZbPX^r.I bl$苗aQU(P 1 =}/y,ƑESIa2}@( R{d]H' RPn] }+չ[J~K-P;C ()rM?1CjC vfCO L˫u$Aide˒0,[srNb,Iqn"xkw|_O,0Vm$rbW & @H*8jwdqV>(04{\yOl :$ )j(Wt!\Xm?=u}8SZh;=ɪc)(kҲSsOE #/ MH>:Ӑ8+ YHhZ3B)SIPVA 7˃seyzx'%Mp~Geqq *kbl={D=eHo#NŋR\q!_嘻nfﱳ@ K)yXk;b"B4#DA(dꠐ z5v b$ ^Ц >7~^Gzo3$vW3D W]Ss,bt tPqi#3)RIvuaa^Bob zu,iN"+@۶ V0ΆSrJ盳2 ȆMfqz2'i"5kSRbP1kI_0[lF\-TaC4.[R1i,Լw2qtm#rPTbUQ v8#uyD42_MZ5gꂶq47"5x-CG@n$:rR;zS_ĵ/4Ql|5͉ QC<)z" CqϒkLJLYy `ppSCzLFSef)c00OKPָo$ݮ9b!it$X?|lV+aQ7( FE.p)uQq,`5ӳ)#QcF]1q+ĥ q Bg! Dh~+R4Hi I8/w,`¶&I Bk_gtahҀw51KXTx_aVkv}8ԦM]eK:3&P;I"ޒ5 bז+4 IR4Y쮤$#]۵_iYOqGwH0Er9KYrpbTfYRjsZᬂQ" >)a%OgIT8e~Gj&B4>/zs5AIg8o@eca@Ȫk2stV ;pb0䒄i.b3:ߕN; i^Q`AౡiY:guI"3zeM]lưhD !YCFlX'6籢2zїxY$;TKMbe -@xϟL\EoP0^gMbk9+pKww"Fpjعw@gvsqwAg}>yق6쀉qUt-npm:gZ [g:zLm k Q,Oɑut΢ڼr\_e!tPA5N"{d?rG k1@#܌HֆWFy࠰,2OnN=,m w!4P;FAh AO2Csmٻ2]yȾDp3 ‘Q4i/QD`цZ(hCKp^R.%Bp'p J+JpCJ1=~!m)g?b^oNciԄQcJu9:RIr[ O\-^4#?ϓeE7uUF)=5k=j*|J -qBi[^REJlBZirRR~hdZEv'\qن.UT REh0< /+XB a朓3ҽuFuԑWv<-uLfqU93PLK5 0EU7,Fc쏤 }uʦ4?=JhNC.14$إh*9WEUNXr`LrC%eP,`ӭMe[ jЊb-7*4/ފxCbL汁e'<Ś+ބ1R$+e]{)/>X}Ͽ? ۍXze[ʉXmL)2xj/~9l.~^"#ttyl uaI%V +l0?/ qFo7=NvOG{'h`c1l0żc˘Y' YP-2nr B-4k:Сx 5;('"(X3:kW${Za-DzzQAPPnɅ>9_!Tޕ0E޸:Yx };:sy|tE)N_<ϓ)U?#|>MČ :6hCE.x!u&QDB%aNvobm8Ljլ]dΊQ(%Gnt=VW"9]~zdĿ W;cOq'p d e5 G6׈&xp}.63I> `/@Ŕa3uS7` 1Ƌu%1$g*Zu㥥@j4$R5.Gl֌e۽9_FvI]Q3jmhv妖؈I<&1giut_tڜS!i$2U JQosHS("~Ug8Ş9!uJz7vםɭsmݵyê<2%.}Zۋ ėk)Sx/~ix>Dȥޞ⏑#s͖?R4/egE+^nƉM;*wuuqBHu^I LւFK]؉,ELeR١Yn߅Y ޢfì)!켲,d{6AibHږo4|FtZy]T\iod> V[Įrr_u*5z345^kӃJPL="o>ĶDY1iכ#w&8%Ks+ dgImX@&l57!M:c=P7{GK<9-r3:)רo5Z>nnIpG:/CcKP;؃&zH4u]?ܱ s26ed ba2\Zb]TYx{QݟRUNQQнHjr;ߥCwZN7p(t˃r`v }F{hjm qHnoE~8TaALwibQtr&衖 QqPs\#}gS}[qp1ai$Yz,sYvw W99JSGmZ8lT|Z(q >44,m[O ԊQ1N%-vc `{DS>CfW_}WϿ|x6C9pR#d`ξsY+Ԩ@0X]n9Cv<뗇oy~RX;@Eb)[8~*f6r| h'VWcwLtYAzlOj:d0Vr#kor8Ӫ*vh<:U\\ىbUIBsPuד(`L;Z2P)֤>;iUXUIP_Aa'֤TWB\KžC&QޣG1|vib7W`Dڦhd? 4JHq)O#ZO_)\d,2q<1ot%S-vO8ʂC ğѬ%4M-JZMbK;YZ5A_}W/3-DR72({:EXCkhWnBʓ$䍲8J,Y sLY6 D]'C-ڗ|{2Ith7laqثsUr4wvߗ WP@$AaljIR[3I  @id s~ld,&sJ-ʱyZ#Ę=+tQ#s K ' 9܎!Òa5*(3$1@LlIN @/s ewY QוRוSZ>&--KiiW&5e Oy4{PyM@ʨ4],l$J.XiT DIRlR;] z~ҥN4*ZG4\I9.K] O|yCHlbZ_;Ugbl;Rl('{pSRіˋNM'}Xu *6lu8Ad?Xy2q`iY[ԣiꦍ Lpi*4ؖW`HZ D/2%Q@oPb@Ntbsw*ޑvry~ k>le0\"lu'9#m3Q{ .VV:M$Y (#7.I>LjD$s,vMWnUY~${|x4uJժ0qTQg o\vNǖ1qǑ.vpmRf<2R6&1ŗ_gc-Z_Nf!aՄm,o( BbC&Lї#^a #.^T!PP&ްin͡]>Nϵ2~o=- Bz< d6[fX=:E, )X($lBsgi-ڲ(! Yy<EUp+T]_Vuz} =Asi), N,Cf1Wne57Vl36 >"YYIГG̝=2zv')+dzʂ80{rw];MUWw"p+q?.p'tdel=߉DOI= OxD"L JNb8 nVze&Q)4og`RS-nJ%MiӴǵ{ 2Zٯ(p)ρFEЇ@VV!A(0CR"EgJ+P1w w#gr )E&OJ't*uo:2gZpء8 r@dVn'!},?2:H gr e -׽):CS5c CmmѮ'~ YJP25#BzPEOTQ1<D-<;ۍ H݃4%lC¦_j Cf%+CjUQ}-w$]=h>#Mm#$Xjf Vj9 Azg#Ի9e` sBvnNLnK*$wp/AWP;am DGBtb =%x_3ug Ikhgden۽X1+biMՊN΃k=eQg8_gOm[NuĤ8KF&Z,: C(whx4% !2piǤ2kJX<)s`(]q+j.asޭ-b \U,엑{<Ԟ遐PdU‹z̧4akD@9,JM\ 8)Q%\'+~-2&q[)#q#qd\GqVtʸYΝltnMkkVN \wou7J,;&cC#@uL@s!lB1FhRE6 F8i^r3 rvfeBm;zv[+h{ΐ4x`ڤjP,U|&nA1hjfۍ ~GUȶ7W0 :O<Q֣$"pܬA$;z׀M"q2Ig 3^4 YhBD7Y";tM֟_[s$-WXeh; \`JAIR3d6A"H~O&l C+fk'_I#s@H&iZPjkO@&M$'F By*iNJUO✊Q5xI~Ee=gKF-:"#7ݪ7ugeB/LK" W/7G#tꤎKnGc-αJR&9nwO%PS\U$(3ZhY\b^yH ]uuA,[J h@.2BtpC#y#ёւј|کTpۖ 2$ȷk=vZWT4,zW햟Γ60fż-Ng) 9罔vHbsrj;^bO)ti) 6.&4me (AW$[ <D7ݩb<<8yyEQAqRNA N БDSu \ ^~V7p]jR:H|ZX_4pvG@Klm`AȪ#Aq0zVBv=F}f lG-82Ed&#(QSfq0vo=s@ ?$qN2VUKo-9P)ӻ.z.?fRy51l{B6q0aܬł@2B$n q g)D6=QPCi kAT`)$NI%JSQU$qeTt= 5^7!0"(;y`l&O 2CЂV{)Ů"4.RgZm/Ru.zTv6 ۲VaHfՖI6Q{NQ\64*A!\GeW|hahJ_iߟM$z6LbB&pKN'XP~UwWH>f1[O*D:쏗=;fnh=YxG|r_afΓۿ6C6kƊhQ<ǟ<1;,BVf Rcaw84sSW D_6`eDFl 75u>0G{#p>zk`5Al aQ/-c}J QT€KJU\u&NX[cunuA^y\- Ќ9R>؇6M46$b ;DQ&` Os33u>JԶv;l,uXkYE4޾t0BrFsܺ>9!䋧 o}v&裔,YYv5?|oPOU,s|rL _ݩdmѽc;L+ f;U ˮC!Ғ?ry<ր-b&`3E .Sh[vp TEhm@*ZCF?Y=3m%rh*/Oy*aݤ,!LtK(Ԛ ֥9>88vTJk5xdW9NXBz V W \s4K&1oQ¯cF0C0b} Z8ͷ3;^ _yG knÅXm&>wN ^U=Р/JJwNOʪYv\pKQcXзR1[ 8OsKuSO[{;}g "qV>"cuېBm Ja~&Ӱχ^>m/^:(q&y,T{rN'*+ovD"2mtA]; ڃMM8b/6įcYƓ~sd Y|$$~ r^qfaL\qM p[1$9NXDSƶ?֕0uyh~h/Ji|ik1K |-=V5-_Z}& x ꅣJǫN^ okQ֚ ݢ(jFX\y G=*ГxhQ G8[=i$pVO`@!Ũ3 D?!4_Swgsjzb, R,4 3<ɫ\ IΚ[0  YP]O6AT ; Vdq 2jj|]9 \3eK1N,bKDl I>WՑ//Yl,ŁV"aLЂ`^'RԖqeRwӂPlN#uG2[0v 7?9fdZMZQ>0V Q@\c}Ƹ6Y`9Գ39>&ORn ,U.RIDoV6rlO:OK|ukNC) -oJJ1K[Vr?Cs\izWrv{(!- fjOB3"JhA8 C[ZQ)aVS[nbbq`&>SQJE֪L%t@0ًۦ&Iyt&ӟ`0GG2օyua5Z=W C6Mͥ)zNY,>JFCim ˱~z'Z#L&=C=c/(X ^IhHn\JR\ nݞkpÁij\FXB}H%B$2,Fni? jސ:,גǼ,tY'X. UgtF%*AYw8mxX6@GJtMo3p4]T)lt:8‚@R@qvYt(GE瑩e͢;IH?m)m]uq R4LF rQ͒A#)>${Q:zׁ~5F[ql+ In)<r(>n^WeaQ{ZbXFůe翦k3G_#Oqg|˺*e V2bvĊTf~oݲۅƴ#bxbyvN9{ゞGt,8}Qdt4RwR rP_H*Fdȡ=f$;CΌ;LuoTb5*# w//)wA-گ3oίu8VQU&"qla\)A1Z$+ ML$Ei\j\ASqF \ǘGHE1B\+R&8 ^9/$ fbu)gk7l9ÊW""Q|"K]&[Ρ|ۮ=DNbU<(:Ǒ޼W};ԉIPmCՙ߀>_/MbFt`"zUbm:SubL4-f2e/j7AFI&)*+*, @/l|'2@;`LQ.ϿPSj%s'J`Qq=6[8MS=FyvQ@0Psf%R ̯h9dw;}A0S pэWCw@PY\ׁl?5*B \y" 3&фl:=1Bn׽5 "Oyyج@Q&{1FEuMMWfi0RS_ǷH#AR[D\0Y~" )W~هt Y5'/t$\iu,F- ?vR0;K*:vIUY,"Lg;}?d6{_k|:b k*O^;$]6W+rw@l|sʩ7M{D܎+F0^vgZϩeA/BWa-UD<m~A50W.Ǔō4R*KqEɐaewGrO;RotTL% }LĹ*O*3SmyN"O'A6ċRFq N7%:Ln(?}^jA`y8"e8ۅcSO(B,ᘝ5uh:y<~Fw5̣aĵĊĽ,(H`uXb=ԒS`QSwj9'WV"fzӛC3'WIyGeD٩D@EV& % 8+ed&{'P5dɎDP `T4$r(x{"<0 " 8+dJb͎LA.ܭ6o &z#ݏl=Qw*Cc21oRU|?I8ꭅ,ޞ75WYO=Tm[o;g{۽7X *v vwu'X(OHCIS_Cޕ׀('gp7gu!tL&Rb7j)XyASGI~5F05j40*10nT-zh9T4#^A13 ?bȭEbf sE>c~Ԝluaf";\lήb͆ gZ,c{jgQ6kMߝg="'LQxq[T?҇d_-JK)GC'oN2rb 誁 V\YF̐j̙)<}(4[ #iÍ7G$ho/}f;ЏBU;Dw] f#ƨ>Aƞ) %ٖ߮m@r2`"w᭙.S\\23"!|RJ%鄥kQf֑"fqzor܆ /_3gVG&íG3i@#̦:]D;]sq 㫳B 9ߖ)siXA[sFxUf'ef7Ht,(Z(w(5%O(bMtv|wkKDK`ۡ83+V>Øw2 *oFVI mIJT2@ bߙ3+lT9K#'wؼؐOLBXsM$qK=˿^z]\R9J.SuJCzyF/U|JvKr/\ qg[;S`C+ ViH3Y.\nd*$I ^eR0C<"u 3~K!M=u䬹(+I6BG|jMԁA:n1Aq+E`G@v6Cj̞HmxStoۅ043/Slj' <@i+J-Up\3BЦ5 yUlוz!#Ø5{%¸l3O532 9RfXp)S%ISiM ז #?Ob 01Gk)8}7`s)Sa0GԳ.Yσf"L7E<ܧ҅\ߧk.'{rۢ;(/NTE% y'w 4߽_GO[n^+-mvDg3LзTYCÌn$,8c~OW#̤V̍n:ύ)?j(G%HI tB"¥1} _2Ye6w233(4B<׊U"~HP? z&`iM1H1uyk@ڬ ';,(hXEQ|E9eh-|27QIwyJTQch=,ul4rH% zkɼ2['8!:k.*"gk<3 :t3u -.t$;vJavbՖM7Kų 2vZsVWk}X* ͬ 'SO &tۏ_[vZv{vo8̮ot>NGp'ܽ7I0_yB 1 bpu•֬ts>TĪevY\On|h.k obfar;X&9wH߻w߅LK'}Hslދyn:w:MnX fYj* A XKOptֻXu'KZʧӤRZ (ޗ"2S;2DBnLڦS=[[Ce挄҅оm4vIѪ ¤8!*3hph> Qlgƃ[JBp;Hn6щc} ~š/2kr]cy|=|!nEa{^0Arܜ8A/ GY->6@ AK+62ʻLF cke #ƌ>!E$Q6ܗwy0Im%O!ߧKyc`fѾGߧK}L; > q@ RC|?o8p6z0kPc㉿g;W]aYe=tМ`čg-nNeh&AJz:̟{_</i3| vCiˏGA+;Yf,'ES^PXTզTfB ]WY%NɦyP:?l3HE@": n2(Obny@]0|)jΫA[2ZX7aK71]Ŝ>X$3kxW;LK/K|8UP䲑8әP>FQpI y{rޝYAmwf84_i^ʂgHDɭcLu:?CW4p (;c{@1͝JBl%.sy"ՁbcB5p .Zf誎 ̔)* bj|w*AҾaN^v *m;4>II.evZO:=&08ʫrQIFH6㧞{hi̾Ӳev&ʀWC:v%ӄ[uWs">{ϲL3MM#<.1g2ƢWyE"3ID&3iTYPRl;COZ gY'# j:ECCvCv@7\>oo 2GIz(FQ# C$!DD~7"b8p(0; G*[8_0 EѨXs/_ŢTL䎼ʼn<xnbt޷*#z {)?ŅvX_?8 9<%NUҠiͿ<˫$:ku5S7m[1 6Yx]]gQI8c ^e1on}TG765!0C,/J z$V%9& kGS\.x7cA.dg:&NBv#мb)f3_q=QPAz-FAh:/yw HiZ; mf$Ɏ;AhZ%^^H,ǒ0a]{A(vGX J@΂ ,8:P% #T5$ iK/h:\GT_(kUiFV}$6x]3~tp]jwiu^U犚a'RpV0 U#חvČ\ʼ#kBZM UD(JPD]\dK,(ƨƒn_?޽?EpHd2e;=cEd8\ Av4 >]ڻnJ,@~֮]_e6eBFmO}67r~b(,[݅=?P硖KYl4h|ƆD|'am"Ikb,.=Uu=H:ާb' Z.|܅ʕ̹쎫(A#na֡$iUb񹽱d.9Klzƌ~JIN6HBvzHK)ڵ+z/Ɛ G 6RSSg#L>dK^ 1ρ&Y X!/] 3:2KKzu8鿅}QTwQ]g #:탅W輾\+`"dUݨ% "Hqlf41MjA0.Ą\v*18v5}$@^-ߡڜf ETg<$4uI/˞Dʌ"Z:+ܷxW(0Xvtn5@O7"U"K7tϼ '.jNjc'#^! bW%a'J\<; #kIŬZ3AW* E.a5Lo*00e>@R*t6`EE{cgu-磉 궙` Xza%F2)h4&;{a!"PWWuEfSCt§nQ DmokY}QHż-hhф*L`01R`v# oR[a(5H50(qF '/t u]oRPAȔF!:^>#P1vgf|ojXJE+K0jy+4mD6]Dwl.' 1iQ+h:[5Oy=`RKЄzeh5>֨pxJZ"W/,iWqtoi 2|4< sGY & Η#9JSp y;!}ͷskIÓ1D;)"hoiaH(fG)$jzSZ8c`juZ5l^N(k_-hLˠ"|?|u@&3hn{$Ƀ,04JTTt#/{䝊h.$IۃIܐG[999KA|;bۙl[;<D,[O[nys|?eISK&dXE|X"PO[| w)\\`c 뭁:.y Gčs(tźV>iH°8qSv,n^Tj*NY/2v, x[ՌTng*0xn}|wl-ź@ Ë>==18E l#$f[@K |"%|ǒ-1#P쁈FWT;z| +YK0PXqms@>\9H f%pQj]r@qO pGLѬ ܐ0` &+J%<*I$j~xYZ[CĢKfBx3} !0:\Ƭ;*L ķCcdRE v#:m羚Ӏ(]u 93MftƓl i\4([0įzB}NJkI%&|hp4 8K$V&A;߯?{/__}cc5wPg_>?LBfI)xA??6tO~iXR)$T*: ܽ$'He׺܊9lˎJ -A#ӊ/ad@ l~:%+ڑq,$$C2ϼ<~\DB+ZrUS%ox.+Ip8h4~(*ǿےLrŰ٦M!9e<)XDzܽ/xǰibr1a?fRLBY؆(OcFʋ0د aZ}UF6/7]a$J75,AIwٓ+UeR*E"oܫDk$Dۤ7fS,2aఈ`jxa D"oURcaCfXJnwnkٜ8Ih_d|Gm~|MZ *94/A<ǧyx1ipu<'H. ]92FtBú);ʓx"=Y)6$87ܠ< x8F".7;!Pͫ:g`q lxP;]DыĜ'.4dFPIF/M>>61 u,^h}jO$Evkcw:olo]݌2$Ң?\Pr  Sy\+3*F aW;(W#;Dv Vb@MLYimS$VksZ ,Y*M*iFn}Idn3Ψ,W8`VӾ); x+5}lmrSkcN3#b*#NLO՗x`@:H5:k E0.&IpRXt͢iY :IB*jgBcz+*&N9دxTL@zѫbǵ)8!1˟-XoCi{[xv0"9B8BibhG▨95jj:n#]G:`GC?4hXK]~Gkyz0P,= >G^./?ЫoǹVj]+7Um D趀j \m7>"r67\;~ ڊ`42.-JpDع} X!XXh##;+f.Q43ųcilj+pT yT:tZh:s'J|(e>S݇NJyowiҚ*ȋxJV[0J.OW'%d}59 ]G >ԛ\1.QLݎsNO;{bf''|g^k%p&̏Q~=?#[u = fB?b:VH)vmOHzv{tƶEڵ,Z˹ `(C_=f@cd)7! |< %הZJ66[(ғiҚ`KLfTWV/+]GL^S"8XfL9Zn_a3{YncCqd| U!*/w#ݘyן N\7<"F,tx5IA"Ozc2` X|z[tgvǰDD&U}1)f3d|Zې50H!U==|sWXfH^CukHfCu}o`Z϶(3A8?$ad$}8U|aTc; GCauE[9޾ilQY LjpN]Zn|+Ba,5Yl@xEP({meqBF_^k !&za(k)uR-%CΕ7Rqh'Qpxʣ|DWr7 5uN!<ꜟ*לu=Qzq[ݭTDAc[KEfOCAmfyT.ra*,[4#&6!nj/E@75'47m3:3ː% {yE,Oޥ9BRRƄDtM|or)wk!>Bd`;Yq"Ve1W%(=>?%ROQpGRum/w5i$8Etq{h6FX"١vyϟDGsgq<Ǔ8>?8u'?ۣ5|wl;=DAHǎcƱg6^zqY'oOxY;z|Nu~Mlr6: ?=w?'qù}q|;PAJN9'sq$ZS>?/G^lYִ!r"Z#tWݪ.U4l!`G _Ma"5W&e,2N#q˿7Uhi/Z7=^?b:0ZSf l m>҃stDLO .z5 O "3y|l=+j$oJ*/ɯI2 E2FC cfxh5ˑhv8C->+>/ 6ywXzdKYßAee>xH%_T D2Je& z Ռb#rΏ\l8z<@{ A؇tGJ-YTUyD'1#uMpq)IH4APSzcC)==Rקpf4B34AT.ª\ϥKVjۜ?|Uv^s[rKrCY1󐁺m1nvK``.z ٶ)mZ(\/+V adBĭȑ(0*=] cZ0JD]ZU)ŔO=b?Fc@`:8< H͎8G<:C t2K0=3t9{q cX6mϚbN0ԫfx!=.XU=5)Gt|Wҟ6>fH"Ur[=0&B=6&HQG(Jʜ=`XV7բĄUjRS~UBZɽGL2rkzU%6E+b$_8M=&pئ7u=2b| Ps'V,+- =bX&{!;%1cdlr .| vcqR;IaW []G IL^} x7q6ݮ3JT7 EyHH,7Am-]\!K8AiUkrkV1rnK. B7͖#yreI;I/R::q}KE܏Bp?oGtBZN_S'jjeJべ#IH)B[L(hX(YTb"t5Sow= 3_+|aGQ<?a&>wm] :LX{qVjg TX5-\kJ /~7I*0q-hY"v<<#{4|ADș)FZ'{. R WO{XXi,AJJ/$ݪdU3O!p_0 p#s$%G]P9kdh_ MA| `u;;+v;w /7&œ_KӪq,n?^SO.8W+'~O8a-Z4+z!FZiѥs0NV?J/]{bw+=1? W:D2B'ᓨtrK{ID/$K$T'At&"(fwa M<:,H`邈+io_%%`QZ,4BSp| wULԸ~ץ7媚ϹfUNxax ޔQoZPj-|:3(TӿaE,jb+"5n 5S ڥP uȦ%!̘k΋H+wP|cXMvFGLȎG>/Bi0b 0jgrźƨs5-dceyn}KPœ1+3mS@9E__dE܊= ׄoHkʱ"ln("9F .;`،.H@UAN$S5Fȱ̋tQDδ$-M߲1ZF"!ТWCk$(i/}wXiDЦkReGO'|WO_Q6|Z?xz6G~& &&Yr 6 c~qBld!bF3SPo{qڶ$L1SKS2؂:ٖ3\}h Z>Sz Kk@E<,qjrdх25 1`~vZtpS~n{L}[\GEgiDI0Ll5Ѽ]Wc+P}IŅ^5WlfƓ!g3 vǚu xgc=`){ws"{c ʼ6QzPp S=bG#  f[Rc$NP&Ӡ$?,_bҺǖ#2,}b,{̔ڒɾ<.ג i"ݯּ=G8#-%dK-@fZijoTd:d-.ɈF˪nv3хCiZ[g[eN7 *:a@8OV/J`it J*^A,E6mPKJLxe,d/Ҿ靼RW (yXeQxt2%C๮5%g7C)1f_]T*h -!Q\f@>O(C*WIڱdwSŬBR.ԀE~`biGtwwqh"Z_m>qcey, w`ǡ)e~*3_Mw#u\S/e܈2[A0NgcIaz2HR"Y78:=p+>rYMR';"#8on] I'IZjEs#U~U1:#֯: OTTԸKsiH|:49&j8FUs/2#2LdLa2_VWll@* oI,zV~ZΑyxVd "_:2?Q Z0W OoO>J['_DZ0V.~B}bH^zY;gjtj*[V͜$ɳrr GTa/PaeE $B'41_6rA^ _,}Ymk呭uNݾb0,jsj;z;jC/oȥS^0*fƳ vPX5_uCxUFt"mxui'/|<P?9/(6NWc^´oyzPOH' 5q}:_2փ^vk*5f@AG&DaR"j5 Mg3ňEK*֘R*\FI )@_΢E&+7 +UCc]^rpXs0kIYFYyQ ^꾑kHQ+[ˡ)%-e'UF[ vwˊ$[1BHTLɛq V4qSA0ՖVzsX"DZ߱Pl5'jڅ+Ov"ۖqs hynYs;0ţZ.' ➐@+ME P7\y!wfwEC0VSiq|H+h.;J83v&˼<\+_X$ն^TZ %#M+R/>gEE 6@ Z#H66t"5`E_;?"i]f4)G-fBh ᶐ@5c9/&{wb࿁>0V$ 1d疾p".>5k 㐜\?RJWa7R,ͤ ROJU Ir1db>ȑdL[ UVbME^u>J[ݜw:oL];֗*/:@N]0Y>.dHk<_b4M)EEnq禘S|Ͼ.,+lɝ˥Bg~,aHrͺB%4f"q=Ɂ S֥⋷piyپfi{ވwl}yxNbua ѵ.l^Й6Mx`.6V}x+'Ѭ)L+N=W-P6uAgN_=sBGi= OD~o YDmR:cq,9Jl9¼ܔ2 A?Ȼ'yqUl%7fC|Y"?8m3$V~U׉,cBf}jc7m&>ԈvD,L}QJES%4bkh^(xŒX`ɪ}Ŀv)0HZڙdϣz< a3YbSVD-`d%騍;``zVqx Ŷ($Ȥ'R*\Ÿ¯)_(Yb qUсA&q8,  Ӧ3xEgѐE(gy?{7JwTձaT`zxnFp?E&P8zTrNDB8XE!ϋTtZ5ߐ.O\~&;G5x0V!PY+Is2T `u6Wk/i(urD<:lbQ:Zr$xԿQ]Od*VRy RbŹd@b:v%WHb^5䊠0ėe+wyϿ"ݍ~BIs9eBAAѝz;f.hL.^v/E.XWu!| ^e,v\@WfKHZRnQmNOK=B:5T`0UZW]oYgH hs|"?>}fޛՊcL@6EaR"j@رXu!"mܹB*mN`#-b Ej#Qp2Ĉ\{h#=ٷWiֈNd|%*=N*9 n$XYK``4n[4P ^H" !AD\,ޞ F& mխk/yUulw@;e}u6jS \bpolZmL""e]KQX=))8wBk/qX'<ޖ.iha 'h 9G⍣҂k5cp*G Z#qzz=lePOP:lKra0` 3Ƴ-WSkrZ|!&r Y#Hrh M^0/] OܭJ.( !cyD3$j֢ɩ\&[Zyw݌.aL֡MtfzG>&Uk%V.?;Lc<9D9y[oWoew~$F9AGG0yx&f\ӭ;gWcʺ&L' C)R6L#+n82[Y+;Wۛw C;07Q:C*Q{·CݙN E#\&?5E;-hVe oaJ+Ԕnw2hHǎ1V6T/f7]=|.#B8vκKnۿ`PkXJ>a,wiܲ,IH -L;-D uSq dK  )IԙL D*eA oVuuƺ/zI}H@% 6 nE1TB(_Ey7cah-&)|i2L@fU*F_%PD a+ك`5뜗F)܉͞#X=gVV}-6=or 2魇QՔ_myj'"bq˭U\{V؀. Xzj Ȏ4d),:(?](jq)780Qb!lEe%qb_N\ԆZ(ҌbбwEt;&VenK8'03gPtZP? d; W;]nr7]RNÀ] }ԫԠW&L5S ZQHuf9{";S׃y2?G:k>dH"?d6- 9GJKl{[V9Apm(9re'o] URZlU!Z{>|pBȆ̂r|X ^9zKl s d'j3 A?rkMb.Â'6kd!\ڱ:|v4LˣUeGiG &->_cENI(B&T˂M_IOߗzAbJRvie28lc>T6ئdq<:-[7"W2˲nkpx- "ĬL)/@-gI| ԴB(j0cϏF^x E^gϖeHd7ڒ+Ɛ`˭MW&A07A [F =Miut95çT&,{FD߀bz/o Azce7,+y!bg.(QšXWӱAU,7$$FDe],Y`,B>.QJ۰^ [:S1gMy'/Fހ%@F)8ڒN_?tIXw8ɥۏ͐XF732̚&!㕢Zpΐ)K~p)2>i޼D CF@Hh.pNԀuo n.ZΨ=B7O8ʨ$)y68@^s=C?u; ct{Bˈm=XapL8~,#bs,e7K5|L͉[5~ WRG+ znBaQ7 t _H q͍ݱaNP/HB+cAuIcQ!X-5E(?Tp% 5&2PMѤy\MAq]^.:b9:e[4"< ,! !crr+ZZJkZΘ@ hW4S`#Js4;r0Rr+wkt!C 5[-R?$?q B0j[FD[| PԱ`uSc_7v>BET۾r쪽{bx;Nh B\.G+ɋGTp'<Vg4ʐV=0:64>dT}[~ $L]%6?ѿO8]]*RUE(#R eR3 *[MpYiOvY0rvJ$Jr2/fy̋o41Z(,?sZf>VQ$&"lT#'&ZFȒ(B@ ϘGٺk`uh4%bcd工NiJ" P"t;S$JGr-|A;`LhwbkJ_se1=t2R$y~'w*QrD|A~y\CD͌ogo`!\Ek xMW2:>ۘ k-m1uJ]0aaga0zE*~eC!K7; ubiNVaGcgnS16^4O/F'!jɁ(nIaZjjTO!(&W,9\P,{[r>"tkxΒs #A_{T?WEj?2cÀEjӺ3œzm\Ղ1 "pC$;﹧ޒcmR\e,y/Zf#: r:ѪrnGmK؂YsC Kz-PB6c›_`nsd* Gq5ӂaulsny-xe_P 'nɬ7Pp,o:14?}L!Lss,QÚPc@\S$,S5cIy 331("E4;jXX#Br3xY0B8(R5Gw$RZROFk3x\Mp̊=؞; JqkƦMj(GA6@6YaA3$ 1ie4#Ǐ9Ha00#0g *cgJVuwtrvҵR< 7[ bؾI~ȃi;eS`' FHfg hg&M(be|E;825/y$y{d ܊eHMWM%!SR!ކR#IE\AUmT [w$Չ3{Y/ksQ hL &撍8^xN΄BD|&RI x]=z#`cT ͶF[y@6l*$pQEDEFϨ#nχX~_0CCIblnD"b a m)"˧7=WF]-L{Hr*hmuc)#Z};g QHG똄ӶB8S'e٘;=?݀2U$MsizF0c1~j>vWsH@_{O OAr=BE"'{FL@+1l7wR{CT^`s'rI+b̛шB^PR3D1al rPLsE#&b򾄄ilV D2.y)RPB]@:rC:0TՑ?*4 A2 aYq ¢kbAeO<'}\7G(+*i]׷i) EW %q|CfDE_KtbMM tkFʹ.{'\ l$#$Xe:X5k延TXd| ؖKiUk9^%𵷦O@S3YxBW+;e ;D%w#x{e~KC>mqY[&v}nI^6p iKI2ކX=oiyYu@w W[1KehyVPC<޶ L,a .̐R;7/;ɩ o0$fpMuzz !kq ,[Ҳ=e{T2miWysU@^g )NȂm;|,]3e޸?Ɍq-\a\,蕃I1;PK;/dЇOv* -8Bcc~]V 6ƑtLP\Ƚ]L2 $[0en;Y#$gس8j51:aJF3Rth8+=Bv+g~"j>cKx"" agSs {ʇ1CUi P̐J)gY ܚ ;(VBn1 qsھϥI#AtxK>Nf vi-o܅ 2 hlʹm1%{jNb*o=&., ;4] f JxD`T)So2%8E)K4*&*m&k,8jZN^$ɓ;tp9D3&+sMH,OØc ةWQFN'Ks2zVk aCDE; %~'UT;#aÜ|N"T!n#_]ywmqt >!||0_s7FCh\ڱ5+R;vzwAb~s:*\^C&oSV d DyYDGdaÊ>0kzNKU+B5d `1 FFkqqڗ&^ \B?:>t)3%,g=5;>Cˀg7}>wSnwSwϕO9ߓGZx=gG|rc {GFY@ޕ9>N#" K4bu懩uܟ)ֱkj𞯧𞯧𞯧㇏[ދQ)BX5DzX^2JPKBʊ"(ѝ-P'۪m^ k8$I]VT#أer,-D1g̫Τcei1.=g e.-V@n`Ou !WMO@8LhďP|1ׁ>a$uUkpRg vٕ;Gw(FNq%O5Nт\b%arG^oC̍Nn;ɭ&s%S,o9׹Ys-e*ĒqȚ*lI>x;bd*$ ͮSb]+C WI0~1[TpsG=^nM}Џ:!C,:ܱK_u5'{*F4 5˨-f;!TWɃRᝆV Jz|p6rhb7111ǼЇ8w蝚 iFsjHuY/DO͵ȏ~ܵDg1-#Wn4\PG A(/W1~b[F%&x;6ͩa\aogqjo̓tA;6 ö9p(!klΦ= 3$LaE"4R-rE$I͐H[Xrm"Xږw BْhnP#r#w s7P'^VϋBuT=F8^3CU1'zY^[90 튬u [g2C\4\)SǩP$!?Ҥps-y>t9~vC"a SHr.:,HLuma>xrX.[m$pщĠjIOQH:Z90]@r).Cf]>5CLI6 ieLt' gh5Ȳ 970.߸ʎ~*~=ՌGm۬)o_4AsvKb`DP (\8竛Úq}c?70n{I/C437̣u"lvD_Y"ƔLʱ4NLpkWJb-LJj@bkXC\赓Զ,lL:9ZrMv*@/.y+K%ђt?aj&DVx(v zU@) Zϫb[6xӼLʓ:̹I[g+S& FT HE-WS+Zh.1ud@\M*֨jKs$: g:6Y~jdJ %9ϥ0n0lIiڷ?O?|(V'Eh[ZذEpB5[=x $^ N!(V:9Z N(/% [s-9T/U :B ;\yHLe˭| Ina "JSF̼jC&SjӁlPOʜlҪQ,v@hY|\S1Y&0]^O#dƶUO?1yN}X ;iUsI3t#Zyކab~a ϟzeG)Oߐptg2:GeLb0UYl\e|]l<-6mKsc{7_V:ݭZ!Y|iP`dCy0#3\l[ >,w-"e9Z R9rRfbA{cH6 \d$EU.s?yNiʝvT$5ۨ)%E>.e#$¤2>j8X YȆ hSO=* ezj@LF`Ǫ B=4N 4ml3Oø&OLNFs9bcs3}ozeM1Po$5ڝ+-eD3wՍm8#e|PuɃ+ăV47dwyP`5k!VW&"F(,ɕT7Љ;2Js8ـ?JXklzl3칎mofi0%P(˩M_y|mFl0-)T隆jP 6,ǽC.e\RdJ'EU t+Y̐%6%9vQ-`|ߜL5t}<Š5-&<[' gP1&&~?޲9 K}6i$3>?L.,fƝS6]Oɑ_I7 <ω9a$^i5Iqo*Q+dcm9?SۿލG>\ˮ`K|\g/ \E^; d(jve7BY7?\+uvXREʭ~oo]F = ?GQ''{6Ka}:[U.'Frfqr qCi{ spߺ%m_^ q|Kj(NKP\eIwv Z)4 y$ӍМ "#%ק[85U+౞'y##Lލ젖=ΜGVdBvc9uO;CVJh k פCG6GhSYvuqQ01bMA% +jr98aA ٣:Ft( KZ.WmfzMn,"c`k1ҵ%ВLBU9 dI;S$:z*ƈė*2ؚ 8ej +2ڡd1SUs!'hAKqGΕP4RþA1#WZ4PMb=WNԝ`[I>i W":[s \}\;$3dAX#t6-rD4EK wJE];cN>Qb!V!"KZ #0Hp2O]ȇ1ȹdrN)t{N!eD ^$pzmtH|#kDP|g E-wYSo(Sb|CC1kYfAH=?jc| J"}7K}C4} ZމJ"伧8?_h$`萡!-Gr?KRzY>PA' ogk7aM'Ϲ,חNԧR>Fsř_([67i@`9o]0(yFτ<'UReN7B |K14%'ҁaaGorNgZ&i='iݯsʦl(MoVm*ιm []\˦9䯤8e'ɘWb( ZUgSە rvo)^Ld&ai0+r X;*Jq(Cw~6q7~p1@Š(},1]!Cjiott:桏#֪}%^bxU~aY2tKx[s.8-;(2z=) Ј3ʾkڐE]]MJ@H$nR,=2N^ ^>t[èG/H݄hӭ7'17P3DR>udBYpA E˽;fQS)*txQ r3zX>hzzNįRԲ14B1T`CQih? C9t0;SD&e5:P ͕(i?Ku+N,6@K>Vlw#HMbY4D_w,EG ~hr}}8ܲ+0@#S`]Ay?03"2\_EH=&9(3 Jឡ$ۣ,~BT 7/E ,屺c4cؤrlgOid "86emuҪtF-:&4^y! ^}qI}V{isbmҏLA&cRSHOIvxȇ_ѫݛBQWPZuL$EI,gF|#)4e[xgT"Ռ!z?<ïf,ɋ?UxE/4}[lFraHLS_$A2 )\Ԋd/PI96z[\'g,F Q~ gn( #rB-$p!̀XYsy׋⭂VNHW_$VH4'n !#%T6SSΎ;JK- oR 8ފUC7Eќ ]$=?KXs?T孴G.t gJ L l1XdmFNb~RkD=#iQ藂9v" 9Gs':k[GKwI萔ELGoݳ~(沖7ɜ7ET@NSЮy. )a_!;1^l%v@_*3t|pj9 z !KS֐ ˄=l3_[@X.4:4{Jf7 ˟{ srfMB ׈5MGh*d W\"=fK%dyו$t:n]fS\ygČ}ٝ1zd"Qs,&˙] S ;K-]r[I'^HƦ"UaZ/"SB$BĺCO )6 5BYFUjvwü+9y'5zJ@(GH-Al< "0GqBV c`I/ {NeϙԞB6HUE3rePOݺ^Q1G?V= %Ÿk +{jⵛI@ *Lqs.NAX-kr.@L#_6'8mϰP V㽷 $A,a %jvx*̼AɌݘ2!OTw yd |aѴ5oᮭ6dX;]$9IwM彚*f%>A/4NqbUQD$A6>B7"F4rJ 6<p=e& 1eq"p!smNrw!\?*JvN[OfyQlT9H0A`Ak6!Jx4ʻ}$Z v"D@!c3Ǜ< wGyۥk,sw{T6N=4=^] L,W{\F(bC+5'3z.)T" -_3 c/irm%Rke-N߉)}T<7"qJ-3[ר_t#r}8Y_ԫ q5$2XLHpv5E ndVimZ48!*Ĉ}dh/mXbץ$ d/?p$?`r|wSFfɧ@$r%>Df}Y)R5"e邷NuQ_K@j'ȐjNp)9ejKd㑃 i? ^'L|!fb)v й|<`O6%eCyBx5*S273abH66Ѵ(Nd4ibejt-6re{58FgZoxcJ&إH}zt_lvAȐrc,=N%ӥ\T7d'ӃNDEO&Zֳy8]fOЅH]8_/bltF9or#6! 筤_%!@mq P8 8'BM|F H.SVu"k1B8Nlb(Vgq^u~,(0'Ux sI ,df\m*Pp3۟M# 3C|nN(AMD 20A^g kG)抲cC;=RQ2ƞ9Zz^ 'FTPYl5ChTrFL0T0j&BƿamDtY|<`I$jQZ+ 37K\ ȹ0R9210s ;]voO{dp !G 1L[sVeV6"+ࣔ߱[ē+E0+8nOIR< o<[k( zI:ίP{qV=r#u/2oZ4yBt['SyʁpPaSQX'SFMږQ}x~g/|#q{K`vx(`xz5_I#siPJTK7]NJ.X"ze" Uilh6xmҍAt#rX>&iVa*HhSS"pcvsM]*E (fA$&iyS턳XC ѷ&oi<f==b]PwRRCIٜL}Z0a|`v DE@ hN0<YB{BUQ_yò>SilK宺hA)rcY]KI1i`tb:'Bxe/w_:<+UD$._w 59uibU@0P 2$;>t?RQBHsp!|ՌP048L@KIISQbMB_J[;uzĭ<~2)a%$cQ^ZV`T HQ@4@2Z!f6<Dqrc ѱ<23\ױsflQ !8i1/Bm$I\#5M\H40//nj4}{A#ƋOZ 6&o-yEXD"XArSSAIh) Jɤyy}O}P 9^n̙#1 ԥ iY])\ '˞z䪭 : L/C2Y%!:0 ^x>WK,BC#OҋU+DΗ̜zSCQK*!K"pЗk1ƭ%7s]t{Khg+ \a<󖾫<ŚₜKRuOS3\%B[>ܹd&ጜwXc ޵pvk9J87D;;rR LZ_TKԋ2CݵQ0\Pཻw3[;a4bٶhhW*yX5/ui8wh+Z| tāG ssb΄%Hv JU7 Gtُ|=7#_$IlėW`=ggMPayQ?Yԁ]&1O ?AΓs dk_Kbp Ag4CQ 0v]N9m]vnb2ۯ6CC96VRp£ߙlauz5KgwGLi 2 rPxH͇~հAiL?ucqU\-EV9#3w&Kpu D9XقPY[y ʈ%T!5,N6{>Kh*Hq-[pD+-7D " BFNOzvg Lea&xpe8ާڢ A*]_pvmWB4zK2VD0wJ߫xW-(-Fk(Kk3wM1}](Uv|{幄(_&G. 9 w0_+B1{kKju8}>h<׌_wW9\jw}ZTINݖanesSWޕl^hY%I|7=̕^j L $ #B ' ǵKCo6%ja|"X!f9Ek!Q]%?rO`\ 8yrqK#cJ ߢ~%aB7K~qc^{Hw+QzKoTLWV6GA'j H&\+` u)C`F`E,}M$Q1]4}MriF&9GAݻs 3+ݬ6>Xݽ3-+a^ؾA tfyH܁l]Oؾ[.K6#ɷq 4‚~v#H߯ !cq5+mդ]#_xNJe;^eH6ZDUZdMXjPeN'I\AyIkO2"m.2Mz}wlB&fӺ3/sy-s:c H&nz: * ٗM Lo@plmcfXLE ;-^%E5ET/L&>Ya}ϝmߋ]1۵ޡQ]C# 5>@눾;FgĶ~4tE!m ;zSJG /e7u=q=ݏѓvq s#6x(%<>˧\Gg&z6@Q~CA1L3w3?X $z#Dسa24 aԙ`&F¼7[X;:`v/v$^p@w_++BS A3* gweӊban*NPa^hd-SiCM6C6`|g}]11'4ms'cM2w۞GVLԒo? Ks}%z±u W\✘嶾{ =I;jud6G=@596Iu?j+U4%ï"rQp/h6-\0§_>RJ\ ˹U>G[2:NS )w 8J{ 7dYѲDXV#g{68ouUnޖ[K@ 5L-.Ę4R%rC "Fb`wĄדd8IݲeȱǃUv,L۳Bn@)v 8Eu#=vӣK&|yи#fMAoe|$nqdJ4HFdrN%e_Z!m9yqMwO+h'p gCNao:јSB9C@.e]f Vøa6Kio?p_~ɻǺZ8G,tyKD#W/..- ^F>JpSX;NBhd[cW({>_nS'Wb>ܪ/'w^..>W@K9!HFzp,%%W^1?/C翷akw5qr(LOC-ݲfWdptzVkU # Lnt)-XM+M!iW F6m wR_}oH"&Gi^ljrUغt-p oZr~T~-h{mw_fkCC8HE ]d4K0}Y6:sibo\ۧh*W髃d] xj -oOwi5ͬ]v-=< ☈1 Q'VG r)Kn4׻J̻\_j>OBE)d܅GॷGTa~+LJys<7t/Nq `L%g~;t?7dA>~} r=X(-H#ZvPQJWEy y-sTK:JuGDs` agiXK,IabceGV] ^7[-ZI6M\LakP F#WHV/*vFfVC|mi0Ta!veY>ےcY55ʸ'ѥT^֗ &kަܼK3lGTGc\6˻Ǵc9!V EV=sdYs7zTY~7!pHGO;:=5#Vfٖ٩1[$>*%"o)pT0 qMF4) h?h9JclJ&ݾ|30嗟}Yo>1=| ]Ð㘌τquqv.&+3G/1&AC=1^@:)z4X O'w e6ߢ~?:>ڎ^Ondrƾ:=?rU Hk#Q'js{G}0Cj:/*хGA)ޱ`@ʝC: "u1gusx/'IyU ?QM9V~ה=#Z+㳩岠(=S]iԕoǠ+wNWSڑYGw!p/dwxBz7Tdϒ1޹)4Ɲn];;a򳷎árrhæ6 qQXV)#<>jԞe_n6/!?k#"GF[v8ʥxH+l4S5Z?.{lNy" JJrX = pp3u]a1to}- 8Le%G)j 혯oqoLK4j7eC|CevڍQnǼ㤯yjw/Gxȧ›lLi5o?5DćjZݛ lGp0K)@Yva!`LOp6#{$R$4.01X̣֛7waZd `lڣL&߼>u-iL"h!Y,~:I)dYČ!~Y!X1LRzZt-u'%-BTV%_!-~W{lMGP:կX wD@Ĭ/|A$_Wnv!I*g΃a>1m{dXQ\vjaie}W&KISywvL{jG2etp7e7Ƈ! kh<|Ѧ4odh2B ~xO@'Bc#5!nT9~{}V[Je '猇?iYUMlFmc̭VŭB u,FF4AߛDq.x/"$NPTiyW#LGѤO l(Nox۳'gFOil\3;M~N}/=㦁G/<K[^3ۆL\S-૶O% =jPFHMOh<>C i6`'^Tͬm`)rhuTL;3)fV 嘫\lR#hR^K =HB75DBܩJ,Ϳ m]Pd …󩢍FKH8n6q'zi~W>avF4<썒YCYK!Ǖ;U@YFNиe(iwT@F*ODAuBɡ_P}t?Nm0Sć=qw ЭC v֩-uliB.Je@y>FrҜ#顏`}_p=ǘ͓5jPO87hũ%[Tҋ͞ "5$ZfO2 E9Bvhf*( j9xkzղqz:@өG/3b (zE%3z g :X/RɪؾaI)v^g|>|P0?\msVb(eKu+1y\"5+Rɍ=F,VŽ>͖őx&0?CT'q}H%8`)SvTBY} -Jpuj3ޒ!jux3\(i _8{hv,_@!")|tf=OZL㴁&i.q\DI[OgԠ~X7 V8(1+02n rN'@C?ɗ4kOBρԃJC+े`T i (S"hb LB0 +0P b0ĄrvsD}m.P9UA];Zt{lz.mW^2 SGx~Ɔ*zF40zVQ PPKO]HyS99;[]t/K;iuy&<]t1VϹ ͡a?G:.U W%[tOF|ATÙ{=&c\w4GdL:eo?űlw~3:d9=I0a Z]lB*B5@KzW-d]ϨTnIZPJOBri;NBt>iOO:9e(]ׄ Pk.5e8Bl7ҬbQdE2>NٷۦƔir$~5N#K۫mc ːEr\?Dr[/%[{c\,ї6%Eޥ}S^')4%[޷ēx.-ʽwe*9C Fg`eaaCa/o!^نfwS,iYnJ 8ýFc7-ɾnBump)7fsix”$rL\X"4LjST4ک'\49qRclPQnF<{}5#/(fۺiWyыx) isbk{R[}N 23[KJ-@ٽ`RϓMZBjzB v*F'n/'aW68IU""5ɮ]@Vt j')Lekl-}2;~NSPAvPMQZfN}nzף72o:9ƧXѴ Dx)X;@c+L&S>XT0ڇ"Nam׾"So mI|ڞ"DA(u{#{?[EX'A|I.7ˍ2 <9p)MSeyW EÀ4oI ˀ+Zuu *WjR c&/ eVmX׭0rS2YR(ۓnx~ۉA <ˣHHvZ v b;q:,80Л)yі[c-W Nz1^BĔ}6߸{]KYZ:jook&&k=5f T 6ͫ'*(F`F u=өX3#22ђҹ-~r+]o fSq6BX ]Vn[:-3\VmILl|-ם&n>)j5E&p\ʢ1Sr5Lq pr.N=3wqwh{WJgKuEZ YֺR_bFfuYZ2k@ M5'PR9*E \',xTXpc5@F:G{׋AmB>qfׅ߉I.LXi=K-,弖³i9+y񶨖H)4Z!?o#O 󖣚<ԇy$E4N-ГnՌw'.<%Qqϥb҃P#= izJ[Ũ( ᕖ>1>%h)X#p}~:%u&P0X)IFʝFj}|]jm-K-kgy5nSmBmcCR#4= "=DN(`ZdwD9!r1oT} 5RE}Vn^mE6j vYkj;NXtJyizm7uV}fͦXniujZVS֏c4݊ol4*$Ƭ?“fK(uyxO'KK' M 0ߏxto崩߻:jX#yuD;w]nG6%0^ mӱP97Zbul@A+wMm8+r7Iۖ?/ I/RDIBϲ.ޡVN&[Xb_ ,r0%?20'w #kY wҊk40ї?KGm_ϟAq7ocWX]xHq6[g[J=tE+G9&ju$༼s8?pP,_A%͞bZ"!(` 3Θ_8dQ{69Pϣ*L?"zY7^َhMT, Ė~Sy0IFiop;N2B(:`AeHl9 iOn7ƣONñױBq N0#+-Q7,u f /LYme. ,B-Ԝ{5Qb(:Z;jW)r2hudNL"{!.u7u#} e'i{C#jrá~58zmPB\COgӵ%v͗ͬؔݫuJ[& {z>bLl';w,-r]or_pp(&Dt\N~J049#wvN4ivVх&WBFs#{A2^Lm]rEh2Tmտ(ܪa7.25'o͋(ͺ;F '%0/n{2 dwv{M?u[}Mg05Pٽ<>m.~bk]",_ok U׉6i.O-js at-0>-}_Kyr-QG2;HٺcITfjuowCGhMk7H Jףۗ.8w#͕Ph\\%(Ftĸ:}S,0|6C֖Ig٤#i+G|]hTy%`"oQ|PBm7AO\O^K?oi?勳\9J }g)Im㋝FU!3$;OD aƄPe~~FTЭᔁQ%Dn7z-_sf&ޅ+^KCljH8MbpQ lsV1~DO6v eRBY5PqmCyO3]FhO;h4Yxj"sJa#-Y]8i2򶻭- h[R>f8Y3h[?&ҷ\q$򝣞aiU7;Tl锁)јJE6gOtK^Ң&&ۊ zmI5Wsŏ~s,:Q4;]'Tft*(w%\XTF&yK2y A%s]lUKP-!bpP]9<_UjI1Azp].)YͲ|[:Fu=e]#](f]ߎcc+Fr;uhN8DB!. Q)J#eh QBYY@H5dqlQאz5H*f}&1bzg7;&OF DZGb6@%Ǥ' CI#bzKr0z< Vci@3"l1J<1csUoⲷeQ╦x߲їzބt&gHSz ed lLg.X#e]e`C\tW z oX2sjXބ\_ݮwM:<)oɐBe ${+>zd ' 37yNŐF'uJ㋥FR y@D.<T(߁Z7_7DnWSj&]R҉{? YYseqпh14V>C8 IlK/Xin!0o9pHzz􆯂w%Ԑn2bTdb]oW>VvSPzEf+&ٯ؊4-y_{~̹09 $pM)1 6y E">~dO&1홞RaY>`7_ǂ'(?0=N|ڸZ]a[6Ԏn{#"-R RH"]f@>Am&צ ;M.*UJ|'ԙmc !/ϐ8NM;&Vr@0tw򒍻}Hvwr۟t#[n);6?+ [I`]=3 b}kԈrD 7H}rxO4-Qm^DC%99c# qŬ.(O!S{+l8f| Uڴ"8#@Ka(8CC `W!;&'S[_`+Ȏa21[̣,p @]eswT[jv՚_O(e* CWc('-H3V*!jNK+2\IR~l/īf]_Ef Jp4Wft ֨7GQ&GV&F;WJp"c¿&ːp[eԅycJd3c,G$ߵ+ ^m/AB/vGI5dqIRD(FVYO%1ƒYĩo1-D+"']lSQEܡ_yCsl( eXtpHy[fm"uW.j9ƨD& ˈ׺Uhyj…UjiS#?f@ J$0=먠rq+u<wPg];%ބK9L'O E>ZϬmH}-b>C8%a'Uhp 1IG0uW%,n:Ct eDK܈A,-V&mϼd9X-$r}ˍx.dTOH@jAP&`DYH%\^rAgKIHT"d%<02ܑElBԜc׳v9O,FU\ hWeFbdeupY* z Ohؔc)ᛂ: p|-eɌ)8 xOؤֲ;jxP0+.X*Y oAf]RSV,]dMYm: ߼_+FMm3aw_T(h(h(aSNL_QS6Bz\6yG*[5Pb"W,bZfb5K CuT`+qO+Xc(C}ռ/чk\{{t_Z@ ;ZY`B`19tw" j^$UFc)>Z %E)S,Qr p+5Im%„th튄cs- =*ą2q#̄_&~d̊DKa`Hp&LV[( QG.&8G җ1+(5~?PIm|ͽ|fHq`m1c/_’>)Hm{85Pؒi(J~Z~dxu5Z,O\[-֊ uE2i"Z |ܨ* M٠Q! ȡH̃Ã^'܄t1AJ 1\1¿ C)d:f˝^w7W` nFCPVNZ3cº~5 'I9:agOZbyy I7 xW`?K':َ^;Y}{=a? U܂IZ"}.޲cTQ9 `auW+!!Qn5lZЫ0{^*^p "~%v+ɧ~pJc~\RgGǢᒤg;_t7=t%ӅYU|@EL(ů0 _ 7&.7'Hkz {QQ{^s)~^0⽷:^Wz֨guД;5G}b~[2m=ktBY>{;Z&5(2[1֊ܒ4ssv_Jr,6G- 齷뗹żlfowb0>_DW%֊ Y An筽tCw (],4(.Iis˽v Xꞅb OSd2:l-OAboQU4{^Z NT&ʫ=Ab-I*K8THk傞A;*cUl^a*L㛾$t_-%0cU<6_лhs+kMN:J1;zrfZbC3dIT=,[|@Y mŐ7bHF:pkunB#m%4CycgA1|ˌd SX"rvYk.zOs.X*^-yf'.%wbZ$X|0;|y#9<#7r^t' &ORkM.Fղt] {B u;qRBs[9{^3Ǯj:So7dQ )` 6y_?':zx7NimJ&+NYיi 0BԵ#A@(jY8S_lpM!TA^ };]*F8pڦUEqd hn:Gp?OMWP#Ʀ OiIk P0)8wqr*o-(^KEkx: o5Iɤ?7f;@/fkJ1TJliFg12-kNڨ ryN֡Oa1 T"wgcfR-lA8*|`ՄI̯W XV[wKyb)9IDPt%$1>6EhHAAnQ4t.(DO5N&ԏJ-F5Si e8h}1%|wk9ট~n9")YC$x~;<<s;~s\и^:߃96ٹ] Yyv_tas?o?iY|8O=FS5բa$'?_!W9rC8c?AO-?)|.?>"oN {@MA@7ts  z(΁@{gRpå~9\<\Y!S!S?^aSO|'vnv$Lu,khLXq=A2-L<ڟ,<+r%*R6 [N:2[澝S,،"뙎l޸x+u#,.G"nfĸDN]JáXUIPZtְ2L#5Ė%z~|2<׊;-wׄ?.KOZ$ح]Vnb$I}˽ r#x Kv-0Ⱥ)JrRۼE!/Q%,O"1׆{FH:h'?&siz\ -i3ɝ-@䀄i'<&{SV-hΩ,qbO9lHw]oCC$>Fѯ 2ONO'1ml7moz NH}P$ǰF:N..;>Ȕu' E}5}%uةBtk`侶Ȩ6sY i HD̾)2[=_,|W/ur[z%MIUvR.P"vw#Y{quKWZ7U\/hus'G+Iq.O2v0^iDjܣ;m_[]i|Ӿixnx_ $azwo?^7?7IP30%CiM#^K@,:~&/kVbÛ4d 0Á60玏SS,o5d~C1`uGm '♋6Z9E$Wr#mͬ 1Rr ЎL3+ V(Mqaod^'Kr6~PhY7Z`Vv+O[*7ԝUd7% Y1vv'20t)~Ͳh4Jfk4ш2.:w4ǂӞ.4(K4!ڵH )$MȷEԤm{U klXNi>=IS>맧Z5 kwއu~_iHk-Pb;%h3b5SW8TM^\]7x6Ey6;;hz ro jbQ+?Ggv2#lL`@fWv8~U6xCKp X鬞%zvV"⟛U&) =Zrjt 6WY_fe54SOb?C˗f&/T/5nXfb9.dI]]hJ7XI {2"[N mIu&}_s7HK{Ȑ \iTiś Z ՘Q=$ { u@ZfGd9>А+nIddPS%C*?R3a.ȵ"~q&cXXh`RjwH䗈f $`UEu@wodޑO04":3,&Hޚ s^] /Y(+I 3*q«&dUVAu͊%o5^3-E%4UFzQl7µxj[p|7jUJNUk|}Y< Hstzy42YHh:&ac<-JKM%N"L8nm!x]J֍iOVgNvZO3n}Ͱ{:8)Tj]䖛\ ,k}3O3˟6ĂXgNV`t;kZ|<1;䍣;o]=&r*ĎC'%:xRRSE 7Gh.gQF`i-M0 x>ήBf"''yVhE: jӐaAh,=1'@n91liU\͒LBdO߲}`ObT 1dbV^N^.nVh6(x͞;eH㇟ړ#trP1ħ7TO4DGzG'fzF옜OI8*o燍lxY%S_;~)7yqdqmF,)K]]9`GLAǵ0[OXk!w,gwweŝ׽tnys/[GفiE ]Ij { 鶎$%7G&%Ӝtdjpb2| wn#*cZ*&[.+[DVLbO-޼%!+A)cz@FW;"M >G/:p)W υY8򙱗:؇3vtuBk#Bf4MbWm I&WAfpO['n<KzF~tz (>f{ QHys㔞biGA%-\K#fc16`:e8 b=%|M&g 9g 7uI4{}x=WW!cNKYz~r僧˅=s/‰w;,zFܾwg9:I jwзG%ZOwYk|x< Nz~ Λxkh$kQ<\%-RCZ{4>Lx%.)CIsѲ+޹7{|T=BH4cr:ŽxBX w//OGvk} n6Ϋ1仩g)OϞhvνiai*"dl[l]?]^:3*q_G]KoHb^zsB$$ v.^->C~sܻl)6a>קHy$-%TdG/!0w[o]^ 6RXH' wI]4uYwdz[TKi~r=~wUS:yt{Dn['|E7_>D 72ql451H.+LX {:Ŵ՞ Ǥka6WAk!VvO#js+ 7ܫz.U6\#ojv&;/khȥjxY^*LȾYW q7JuGܗ@-Gdt_NWQ$)gȻ?aBXd a98rzt @./tw45wY7″"h\ɷW\:9{3  m388joq|¼- n8'ZQȯ<DZhz@CX)J3J H(NCH7e.O,uh;&fXUrg} ;gķgkJ`MeLW+RZp@槓EqCJh9u੎`=B$b mIw5!4"R!癜~I %f#AE+hZc9ξ"j>^OE~M7=ʌJtҍȲ NAEkey-{FQ5OƬ]pu B )/@B0RϚapq\./; BSV X>J[dd1zhAb65F<:_$ހQpc pEbX2Nks~H?`9}avJF"H |X1EnPsgq)ȌTE ;(h3b]ޙr4S9&'L:Z+ o&.3EYyYDyg#5p,5rba1&#}30Q38urRYAgpQr02[R[* QK۝\y歖oİtTlVͺṇ;BptӧH= bFDksRɔhmld1@%dD,#JntTqQ"+ᄯbq@Ɉvw鸮(#H)rV#Xxb#  }-G!vÊ4Phzv;ͻ-$8Q؎pʛݶ\ΫŢQ$[Gs5WYZVz)XtIޡ`-lI2+*͞7R ne&lGW=wSe"cʓrOhyKTcޜ^"a3^mkٳlNBY=FۯrKZ!aqة}>Ua`./}$ xN5& $`bzpy;D4+~mo~pݺrX%>xRtBYd/7&;p_Ip[B>i*Fz˄ͼ:ݾ-D>B FM434]5WJ/ͼD w 2:jg6W#$hq?_ [*(-/Uu zᦆ'nI٠l\˿( BC= OXa=oz߰@5i*lw h8 'q;Ę ? 3HH@v&3 wtWm/`C0ʟ׭~;8P)0 >Tw`@? pM9875'U I?)|@-Om0|3BOl~N9tN9tN9tN{(9`:}jKoaӑ#s:tz[~| 7K$ʜ;"/QWXzd/-%Ow D,,z?/Vg܉Cvܮ: [/8-Rn ¹Li{ˣ, *ofFBR@R}6 zPt:Qt'uַćUpT,]O̬x ,ߒQ1o)ʞ7 jb~-_IFS)oż[·iUoj.|Cj:c5%sjפ} vcFMdt5?$j&U'DE'~5 -as}F#,wHaAႳm`I0S_Ijꄖcz;QoPȘ}?s)>`y~:0:5wi,F3;-jsh?6B:Z­ďv)Rzzg[ViazC?-&]p-AL=ߗۚhN҄ Vuy'KOI9͈u޽⨝Ό&vX7>/< N{~C.xj<(֋m;oEGN:}}#ͫz#O/]wZ;=$Q֛57 rkۜJHK֪eW$8=Y l(QJnu]qQvϕZ3MnEZƁo6ws7\d[2I"AX jj,e(i~,ؙgl[/Hp#ǽ*r:0/Mjr5{o%Lfjm k֏+wU&D3Wdlg7=to}߻1]3_{ᗅ{1Sa$Nԩ߀ 4̏C<3cpȋ Vn{|lns|xA!rZm2?=x{u^~Iw|fQ-KAW VE(|sD1I;Y:sq| yiN,f-'byY~1fC5f1ޚrF. Ù)S횣7Z37R3 K9[FHͮdmQh(xK @xy FSL.4. NB(_Oo'k-y cȴ-2#.d̴b$̍:<8\KHGҗ tחs01  \" Qr7Uģ뜪dJLWUN'D:-ہu!{ɹ>%Zܭ~CY g!9S/2%G(|/cdalQ MW>A%'hyG(Ms~:FM>/!((|!22!꿈k6pݥQ=bH8.k(MxaEG"f`E,֗{:nGG :M)'wŭ#,4u^?֡0%IU_}?,:ay?3ЬyS]&p5`cnd+U_6i B6@$<,˯7-1"(D:&m;Ķy :2;북E yl][?`B`wc.$x-QXڪ\8~>wr=qA6MWBcvgDQrC %%t]I)D&yǬn/W'e&xnQCDoʍ\?ۓAc7;bEg׻(~ֶSݛ {?xXЭV{a" {SuZph`(m4OEQV wY.s;]|~Qy3fjn[kPoG+үn5ݨh"u-^{5F4"HQVHǤ"װȽVА7 Ÿq }'mu>l8O5YvATx-FO \+ZƐCtYt E07#ܦR9#F^{,kXުhQH`orF.'hMɘR^XU9{9W8eK$%T,WTB^˦ ŰRT6tH]'Ox4b7ұNԳT2o ķ?κH,E/QޚVځiJ G9;tzzv {)ŜOq,L,o,:<}Zev;[vm MS̏h惘ھ9AwuГ=w=o^}Tq2m "E)`^$#;&QW#n|{=tu;\~ V}h04i 1}O ѹΪ ~>R-篝t0W,idtܞ忛t>|iâ=V$X,鰩ַ@TTji5Dh}7IH9>r|қ䐁w(9jݼ"vhBj)3xPsN{ob?#khssL{9`gSi_+uK}uߊ4mݵgyayN"C3Ȧ˟lzQF5LCQٻMV3/a{,ѽ+]ijc P۔ܯ#QVh}fGTSuRb{N79i:};,YNv]"v4CH'O䲊BQDzK}@f`Cn[}nyuϟHzID=F:rS+e*rՄ }mq j(%ߖkz5bdO5ᆋõmį}|u$ƳrVW0 Q3U *DLW}i~O]!q%rё+Ϙ>W~)\l/?(p}P>b$7j|.qa^DKf GK}``1s-%ε@/2(f{=HLQ&< : f뙽w8ҮɡFh^f,^#6%G q) Tڰ , YTX^I $p;%Wa2*HjC2NP]Qg()ElEMbxx[y .J%=wؔlX )}8"MGk֬FgY"ϥs \cLǞːuʙg>jY"<*BBr.}sƐ.ҋy>;^_3@IۡG\Nݬ rr9'e߬x. `"APTŲX(>楙\;9ח UU wyMmzy<_To8K|L͹_$b[.'bIh @\|T',nK‹TғHNp@$ 9XG1Xpe7Hg!6o`&@#Bٹ!볯y$R%ߥCbQY܌} D?w,/Ǯv7m?QuQy$u Dhf'gɯZp˞L{7)luƒJxh&ĝv"E<cwQn|-MlhAf䦌>"5U=OP_~rw,H^%ZZMrSр6WTѽld Dh{D.% Uh1[=$߇=jC2AjMQk#Ҡ;WŶ"oJ`m$=֌h?g ҷ8G/{pJxˀN}s Pє 7 !(.g-lmT#Nے{{hۜcGPޗ=VxJ)aRgpR}!թpq9;T ucՍ,_\4l qK NϮ$<X㛭6MLu jܩT ! @xןVz =sFOw_ym$IvT>Yl:ofp^^ !ʤ\Ov]/fǼ E E-pTE# #{?# NrBR˓nT^oOa"!&€ zv+(r2l;d_'`a/v3VS Q/_=[[x' haPNCqɉ4p<}2#d;"7ձ)e #$̵PJ؎hfȡn/Ng› @|tC.A!3*|ڠǩ:Hebv-xBA'o_T7S?2ݲ{kwOQDu RUHۍWcfT&Stq-⤰雼h3`|c-ƴ0@* ѵEQDȵjDQUl6ڔ$^b*l2@!ꅨ|׊@ [,0Glճ]e 6-jeeuX+k5S&O qm˕`05OhI$S+v ]7 ­Rʙ(E ZzCX 0Pfy}ÖZ=4KR[%W4AQZȝYySPoT t ʥOʜ uLtB_l[C"I׭W/O7|Y㚠.YS+׽kx l-e91ui?!jɞџ1NlؗQQhł f΃[# cj* [-Q ?7ʾVmśٸK]s A0HDɒ@,w"se؝hN$9VYwf`:85Sxq^@-C8e{\n!L6s6tŠ2SIs:;kV*3B4 {6g'ʜm]*+b+?w!0 pq `S 4鈀4#spP85 "9S~ LBOueYQK#{IȂՀ? ޾"}n\"a3pjuK.u:yDpȲB#]F{!y 7ӻ_Ȧf2e}j_~企EAT">4 rߎ9}9aUg 4l(c.)Flr@K*h} G)a5eZk $*<@c!AX&`ZXr{Nقgg`\O[_r)/ڼB &~QT.7^_ߴ J&, CK[ bvMJ95E,Id Cp0fVGAJfezJ9FO8_k4yX19&XU>HQJRgeNR_1k؆@RJhpOGEu+UhoGYQ7b% mQQ՚D}g#S?jv=naL^dpyA&(ueDO{ViQE6ETCno)fٚEˮӌdL`2So" h;Dv#*zF[#7MyY#vKbi~I!؍d Q>NpL-nPYskdXo<ʁf8>%[rBk[]pC *d/` ;܂`57$mDZ h mmW{ FFqJP]5o9$5J=ky<tRobXug`+c*!?X\(SINփa V{ZjaO~Gv_e{%Ȓܰ[H'g=A^T8eW ';VqT9Z2;R?:`OCk # l !h0I<="32BBB$BIѱqa6-+vQ098 =O@m>؈]%I/lu/~dPpgtt^9đ~aoJQ y,ȅ'P{=8'.M)Lٰ WY=hISǝB`޴MPP f 7#0玵fV֪&t! Ǚ -p"hMZȏd0wk^> թzk#oPL'v!]J+&s-A+5B3Tw"M&Bu<֩!w }Sٰ7OiYm'= ?Pme9Z9xQ V54$/8!44{@ImCgsҮ)ֽgK:𱜃SGfkU2֑]v36U/zHA\\Ϡ3xYnjww崍,)U:pq4/%!5јɋ->gh YګnXlsR^; J1/ެ ;ji'=V#f饣h'lUiu{3$FJJq q=`5i!~BQSoxj=Jdls={X>_O,r |Gdצnn|Oمפc(׉f3:AA9'g6W'd%]&`|PUHN~D jx_oaUxY}SӨf=a`O1şmB+17+ h"0%+H d4W wt#P~4~R J 8<:]*1CK՟FPr/v6Zhzč ֨q@[iyb=qc#,!ꁐg~l"%/CV-#W\P[v4oqzE%6O7E [޾Y1ݜsGHt:`<\' h0utd1et(OÚ&C)ΫHKldiin󣷇1:nl@x7f:CE 5I#A*2׌٘ꕂ%G7v T'e/Њi, J 8 88ЇQqJK,FITl.^ZQ0M>Nd%!wC/0L@?Gьj(BIX5> | ɾv XY;=T:)=Qp΁G1B@$b{]Kl0MQ+F|!M9{E1V&yH= J1p)cɴ>dHt0JrܑF,PtJp7IES)1:e|} ?ĺ-wZ~yTaԡ ӎIx$9"&]ƵMIc^Ĥd~E&<ЬqntҒ An "FU 3R'h3Rc>*"VB_Z/`'ՕOѲ-Q9W B;vȠOg֟ŮSu gBHZ,7t|d+ѷEQrD<1ߜ[+yay^lk>Cm=i'}-7%rϧg62@h ‹ FTK אyN1$"eɝcAb#Z{U9r8$3boi;Txj#M'm|N@B;+6HC![zZjNMd[0GusεLٱMc !es݁+K32l>\/wm4wvIe!WcI𢡊m· ˞Y`%b[٬6$DiӿP3#kŽ3%Nw:_',iepq$y N sFT57+$RNG>lC R"S𑗀3XЇl| d np𕜻/06V1p3o#nܱؑzhl%ǣ$^sdH}C)LV&!P9F +K˩>`JZ0E?d9Q]Ø+6t}q`+ߛv@sto?rT{Ktӻw}Xc.uonadDz}Y2pq;QGPr$ŷD1Y8O{xG~7v,=BvG>Lgcy{G8Lt~;el]Y҈U톒;Ve\rȌRP0zX5tȐ|AIQ_@W RQv|$cըݣH媵"p#BM8fCf,^R1P:\2A"Jna8.3e(QE.E.:ӕ ZrnҽKI7گ8-ioeu<ýi`y}9庀Rk*?eGMOo_ˤ[J,)BLZPڢTxfCІ*%öo9{ _t* .WټCCش r*67դ90'E|݅EpGo5\v]08CyC Oӱ]+Fc+Р t:Lx%6`S&FNfUgFQ-Wr_r:*wAr.R/ 'UC^3 -Čްs{jWk=t2)׮d5X}KEpdhPpM&:z[D4.Wu5rOaǿR3MT4R FI8$H>*4K`b,p|a6f܎ ]oirzsJ3fT/ 8 >Ujp@o<u4lk ,͹VRs̰{H3=AA{H%U"pa߅>qohza<,!zg>-lN^BEykQU[ rYA랣7;iC>c>Fh+O0^_uӺe(#qurBGrh<`́;bwηA+yK(XG>M=?(|T~]Wqe;$/kQc DVb#Svu-$PT] ߬΅)i `Fz 6UjF;S?X~!9+Lf% Ǘ{/as cy-.;G*Wj3k6+R{pF|}y6^kC.8hi&]TTSln7[`7q[ i?CjoN)L:fm99y~ɿwz/wby?{PA7*Qa0-ԹE$ɷ65M[!$7YV5`rl9$T|)q<LWn`Ͷm6ܹa\Y k.+<8O'5~d_WwTbHsZ6z32@ XQ4<نIB—7ՒAM$", _ Ztզf#dNUR9@ )e@)JwE~r?j&0Z ^cBhs&p0W'=!}b~ ˌ`5b\x0ALh|od̃w'?X#_}KF8=ݷCc&&! k 23T]lG\0@Zg=2݌7Y| ЫpH'@6$thZZT'At'@B4J4Q9?;;O^\&"dL~e@=8A ;}$i(kޘb:0^]/2s Y<@uϒH%.힘v<\$ /M0 ҝ<Р/kfՕm&xϨKPwpqvq֙C?RubGVTXUxg@8#~' )VO 0XjDC9sPEa?KG{6y?]$#-GQ\0qkaeP0ןc?#N?.§k tVkC s,F-j P\_SN0\e❯֕9[6❫Y>wJE|{,jU1;BK-4aLelE `ِfkּ: 0~.y.nzVM:CW21gH 㲲vš 8řy"R6RH̅()q#Kv ;1F4`伨G WGI|)\K!n?{LJ{썄5J!p!Ğa#_QT<6/9n'gfSD`` ktAۀ g!d7o!}o~?KCnssG<()yžɋjq;[tU{&Jioo_L$@\>]aP!1EM %'͟/ AYuv<[N5֚ RZ/CNN*E\P۝8)sK#@(k)Z!b[eEUG]*{c-"Y ڋ gf_*^×WYW! CS㮥O&T'8E%bHW5\R"Y@qe5ڇ>W>Cba(qt2&*8Y'@[ sQ ND]nEm"i",]<}R q'Eaab{m5AMQ\=lc%]^OSA\-z43cî|oΘT/qߑk񤘔Ӷ.;?3Faۀُ!rU1Ũqd*cǝ3+tz/ލrII*呫tUnVCrTr.''9Uޑw6kd {S@tWOc~ڔ^Al>M ;.+AHNx`_h/[4T+/J3|qee¢uJբ9 FbDu3!L͡[cTh/N/` PܛREZx۽uv47\ᰇEw@/`>T̉3[oRizPU.fJ^,mC ]6ןE'ExW?X&7HŖ|c Io=:%ϬMbbi4YZs_z뗢ft K 3_nAV1B$܁{B"Ly'-{%k1#w&%ſ$\p"&_Oڅx3*1M[(@PbY--R:usI3C%fY`ǚP~idogXɉ Gē1m! w+Oskv ԓl=&+3#T5{ĥ\Go18ڙeUg Xlw{ݘP/n)k!*RY4L%ŎH(k0Ӗiy#| Nؐ.3xL68Yc-d`S~ 6ErN )~C9N.N2 a _ xCsJR% Оn}|yk֎CYTP'1YɆZ=p|D$tDg3{ٮ%, ,0Y  R.<EJ++RVۚ^ VXTh( |tPn<:B >9.$;@2 t\94? lX gCwny d.?ydy)Mӧ۱״J|\hU(q틊eRv&M@3^o:53 &Q<.Ll $w2,7cmJ~M[omCX $Pӭldp[ʫLsN^J`B%j5R;S^&3% Ӛ};sZ {1L2w/;)dͽꟺ!a1u)G7 kOHb(Z Iίġ%8-5n'x>V/iQ@V@D|8w!!pi[):Z-rȬ8/tUqFHuEWSzU-[G &uy&àiK(WۺD  ֥I7IU3NjO|3F?y2 ^Z8y6xCۨ4%u |Cй搴D{gx[T6XӐE+\`d?g<>yGX5$xք&sB8mmM?jJNt=aH-[8lIXp͖^5< GHUTd/CH7bȍFI٬Seq#RLCiqKj5Jm6%d2{g[siL +]oJ1eKӮwJۖgQ6?F|Q$ѝxzD7=Ky$=<> Uy ֱe:a8ov|IҁS쥥& ؂AQ!VPp bE<Ƞ|| oduc1d1 0Oa&μa`)nER@2ZuAFIH%Q)ǓOL~a3 ߐZdN$LW&c`\(6bmTHFLĞ<+V pK9 ~fM4ag㯒\2HZ=M ARHZC_U^P0k{%4Ps Ԗv$MÛ ďO%#xrO#ߙlsDM/:|ɀLW װBx'aYI9v7txU7ϜbCp%6"b%'8̕"61Fז5b7,c$4X)}{n> -Ы>|ũϡd'xq+. ~>" 7ƜFSo'WXn gK`]~Em=zpXO-Suܴ3(?q_&ykKŒl۱DL0XBkX4,w̃4-5$|YNgMz덚%7R?bBAoTVRߍ#ܠޘv'F~cӺX1y2NPU`$}9 eϘ%\ϱ龮;t'W059Mڒ՜&{1oU,Ԅ/89LE{=rA\w7R]EUHq_<őC]j;Ǡ 2D讃ۑIe 9aǧ!޽‡Eߠ.7#l#ad@2!@QhrwnL:TܘM wb&j CHFJ& }fu[2/s!<7WB#SBwHo W0@/aIQ][򽤟q%cTZCUYkXׁ0 sW5V/ ^Wj%[ljh1q|pa*HIQiivVzC dف ]鯏f!_IHF `sa.; oCSE(rc^4ss+`Tꎜ='2#!u{Yѻ. B6gY sc`ocT#ob0TҎLYi[$kכ°K7ED!-S95{B~t|B_/M+9/fy*h)@g[miB`"FCnޘ/Hdzv6=#w8Eqf5f /:!vXq΍aaPĴv_U UМ26z/BɘT@@dpVH[,݌U9^.v>~ߢ-T7ؙhs ߋ בUj1Nx1CcGB'b?b)}d ۈ ` )!\z)/ qIsQ:09,tHY iX"uYwqȣ+b#:ޓYOzMǢN"_#eIEQDo 2S-a&&X"|@g6U%o]zF+L*J1Kl-F.3?-*Y:Q,c9>2m6)^#'J^¢4YG$ N^y .=K`:$󘆅4s$/uwCʖ9KZaZ+E%o171{)zA"fUEG޾fXpN+#ʠf^7 QJK fyߡX6 GR|lE/ݙߑ͑hK@f4YM2\&oMߢ5r,α!-dN}vJhcZKuTl1 *߻p]9x@<ɉ' 90N7;HmXwi_JЋisaW@6LZ;a K+SNˮtC::)(CE*NEvX s% ,fE< 7Ԥ`m7NDkD nM"9Y8&) 22bG Wo&o&+Y*oi}\Fv5Av gB&$, ϙ+N@DkjI9[HvKe1.b?@>s]s$)P#0T< .C FkzSjj dAQDxf#d8lN DA5a-A*dhsݢ⛀Q06o)ym%YrvФ)r$˴IL<'#e}m`g {nz=%, "#Y"ܯ m&m  W d:!-8'ƿZ7f)Ru_cq268%@`) ŷOmAםmg6EwV$e(DqE~<2ބ:cH7 x-F8XVm{'nE7_+VK$,AQ߉&wfjvp;É7AJdX), kOO B3T3NOeTPLCÙ=L6t^0` do11dզLll&_EZ[V\T$ pZ+Osrzk#:2iLEBgnة''ѲdY[+O!߲OeW{@E$o"߁xC܆|qdt n78hZ=f28It>7[`cpD2Xm tАD\~ s7}wVIcezHN c1;1{HrgI<Ӱ} 6;k٠ïwaq:`7ۆNqf uf^Wu뙛cf7 ĭ]›P -E5CN 72doy Xm$X/*}ny R*%Q58C8vʂ}1`M`d.3.0ڎC 9 :FRyRv^ X.,7d\l]j4GŞd!A#`xa3п/1 )bd-6!(r|r\W P-LM6@ҹ7[ş_jwR1Q 5HHֹ U:Vu(jZ "ĵaSԐIyY& 5@&>򗬮~/ف_mfmƊYmA'Έ2 Byx4=Z)o O1Gp1kWMArѰ+é剅>w)@PA_ ><ň,ŝ#Wl!7M@ QgȚC>L͖s1W^"OP G\v7ĈB?8v'<[\+X<.f}?CK>w޴.K=*'cV0HV+̴XZ <@QTwDg[wӿ:,[!O]L89uTmGbdME䕬 ; YK$(kb >yf?#i~+F}muL+$ [!uqL]q6?>~e]<^wanZVRh?}bFa$h͐NEpKEK5#*OaZX{4n5=wkhd `UPhh߯ ^(/ih^qO90ut_  ./!d^ B&[XPrwsAiVUN3^k)\`eS3/LI.3ǚQ(*!^` z֒) $c-UH^T?oa{yi7$(&Xˆ'B %'5uEA?HvE}*_tHF#*-jyndtY`BuшQHQ\@% \#'[3&4NYzmC2 lZ-GvF@^sA{P>p؃@Xw Ѻ;2^cI_ S@s a7-s;M=u̥_):v]\B*&Utd%?eLw6lĢGOds49hhsWNz"H3Ƭ(aj ;Y|p[i6+̏5njL3C\7~686:IjS 3k 4 l&eAI`>@ΉU<`6+$)Z])!dkQ|,[B7oHLOxL͊suW4(Nr PmzjhM|fbA-ONyg1@~ ?6TT-3xZ6/|JsȮy̔yg@*r[ `n谨i FmjF!lD,SۯPm6.l&tV%9J60K#4o2> f\;G@ lbة+#YW/EPyؐ$n?iU=PxL~`Kuq"#6Kf>V0B#\tm6ց׽5TLl#هnChf*|nj4ŧMވ^H׉bjgD<|+&wUt^YU5*) !,Yd 'Bީ< 2,MZݫu[qTfBt'ϱ#EbSdF(?Ya.a|a:Bo<)ŲJQ@<ؐ| N!L,X‰ٟ y<4~kGA+"O]*җy3ϊ"-jA/Fm%PXҘ#Sv+fb,NMfXReYF4/&*RKiTZ8,҇[QIO^ jvff'Hf>$H+rq-SN R.Jgv3F[ڀm6ycyo kJXkC 6wwpAR9 `: 0} 4 m4 ̯˪fjSӺg4`gOQr#OkJ )G: qt;sv.rdOCyR`B4Cm 5u#hֳ6@Hڸ=w;%+ pCeEH1S.ZFIy.0jҏ-mGh=_'h~O./͏>aEp^=DGs{RfNj]2t!Hʔ{{ }p0;I<f`}  L:P$Ռ̈J41?0%bſ{&DP 58 ;5iNKQ0ƣGYԡbQ!_ti晦mft8A^dT'Vܶ)HzHrΪO;|:'VmZ]lы+K9'$XhKf"Z< Ia(NB"IIUq.{hL2G2L#6;w bD%{E^}KfBfD H84-F q^I:P ApkF2kb qk6X%?]Op2"{DqN;VH#HZAJe:t].?Y,c,bZ8&k|wi"鞃 Rdb3.h:hH_V6J-*çP( Bq*KM` ahtX'g/*I@zt{ȹWgHK} U)iYk^m&Uݻ*U,x{tX%- ϙBxٹG/{b*3rTp QDq|&}{M>j>kcL;< !dc=^lQU`lNz&ErO.g?B1ڽPyP נo](,ؐo)ĸ lL̛3Ɨů83BO08Cް ,F\wm!?- Igyt<%O;IǑ;Ӄv;[s܌>W.not :2-la 7iBFMݙCzQ9^6ۋloH{$B1&V{_iޅsЮ`~Ҡqr׬ p9KXbu H}ɱs\8?2q r<+GzRԌAό|2厽%^K;TW<dރIT0aF){ `Xa^g)'Kc٧[f,3z3Q=T,,%W1 P_j.lt*;ۅbAlF22G S(̢L&><#e߅PF)i,EA'D5ׁKAbfYW~y 7fk\ΟZ eˆ L Z-GSgz.G\q16GN(V8.EY1FQ&k,y^H.!gh"r4lt1n)f(Inv+]me1(d!y8 . G DT`΋z>0Ko~`^BBvo 7xE(Gas;A1M_6 Xp_ 4!$;Oa{#ή@8 Mp܂_7@}.;Dɐ.g S7Jgy} }{nw+: Yط?ECF!pCBpE܇oBq, [XЅC‡  @! BUC|?1cxXyC~3pP8CYR>4l! mHKtj<;GpաD׺\mӋv2}b#.@Q'9PJzFjKк1e>+ o0ΠhЈ90 2o FfiPװRPp^,5U/c䬶 իUKԣe& #ޢ$|(LNU,3t}շ#pg{>ޞ4XD,?b A,ٞ3A+} 38ӗCH5L#i?v!"OnNc.'#DDL*S~CBhG]m;Md!xn̞T#P8B K7sx ?uU651`7wv4kkZW(`:0zť0x`cS TedI ߿du%6og0-w^dhcıb16( F qY}0Mv+ X !+Ǟ>~*F]T*.`$WYL۫C(?|̰ǧޣϓA{9D/y2 Λ+ 꾺%|S\D{XVm:ya nM 1 K+ԁ -!FU ZL= 58Π}UD:JYaVR>[LtPrP5?ĮHWD{Eensoו*9Q.-B s`s,fJk)~вp拼ȃ&F Փ;;3\Ed@6O#:;1ͫ\W, vNUjc@NŔϑ[?Xq{Gf'7=C| ྻ膽 ux>6iY r2I~QOٽ%du ҾT UAm7n色dx . jB,SWԹ4\WtݭWN5޹#fXLX0zrQi['Co再G S轢 PŐ`L+< Ҧ,e;ߝwBj`G`mAC lH6\UTߦJ6)Jk4?wZ{Z26ᶅ1iHЯQ(i_+n'~w{n~O?ާI3:1 OivD1ԕ,Ex;lN{+ '$XN9Fh13,~P/K y8ulxyVĊգ!:<Dtp+1)P$Bqyf=(ڸ@!m !jЭ`=˨uO j%="TJK`Goŷ ֿ=OԍS\ܧgio`w ,!F8nkA!0xBc(=,t^9'UVc LGeȜ[3d6qy㏼u\y?> NҖrL8g ׾I;=~ #}MkU7| m8ɋ6ŗF4E_eu#;a >r7D8zhsn}1PbꝀr2UpZlghݏwBv4ޛ/d,'ES1 "jdd+O"u#'FɀG̾:z<s4%;VGNGᔼ*qʩn[;wyi #G䥷C?i0rpJ sZrfi<( Ll h/>z/-|-AŐ?QTڴ˶cD`Ib bssrzm2lgӐiR,X&JH_Bn|`f&b*cC-AD9(ybFb6dh?Tx=+}E tvNvfd7zgtHi{OU%`?0ULb ǓOh1]~tNZigUjd {4bjw=Ł)RfYmv.'jȘrnӾ|gb,fdW _q .ڟ/@#\+sJ{*'nnP?1sxem2~jY'5F+6ަٶ?RnF4s̔i;A R9C QvKxfP;i=(B)x]}NxteC QUfN:ω1]TywwliԬd߼gcUك f^1Gw]8:]IknMg"GQRrZ\i ɳGǦ'z a-L'C 4)(h<+-:m]T0zSNgE[U?2/B,ST)M-&y_ޘ5$^ zr@EY wM9\cCwsyi>o;8n^5MV5EjHT܉"G44GvH9ٰy@W]h_C|VW:=&!ioz|auȽ\<(qrYH &Cu7ikr1@g(zK^ ,KNYwhGe<Mp>wR>up mB khL#`2pؐbK,Tڍi0|Rud  *rHL@1ySwi<>~ GJ~?|__1y|11l}+sG8{1j{/SGR~ ՛2rʐ}ׯ{una׹@jOR)Zp N@Jk+W O^ukcC d6 ӧOpEL$q|7Nyo>:ZJWrkSmJK<,yr#q 6qwIAw4G~[`"9lh O .#vK+~٥4ፚ:&yΡ+ IeȝMDHfBjYxV閉Z%D}4Q=}d `qXIη"; .Ӽ@ >(Obf\9(NC1gLQd=&v/`ܩf8Sy&r$"K\p& wjS*#N@,(KM}̴zYg̷`<<]n(A&8~!*'x,}pHo9=`Kᠵ̹/pdj'CI;%i0{O̦чT Hz5l"[0E('p.fFj즂[DL J /t70:]#Q$xJjFَ |!uAyb2 dlˏcڎ[34pa_;gK(N?MI%`Y|w7_o@@R+~bf旁'5#P-0_ʤ1 s1:ڡCH1KE \=PAV'Io!8m RBφe5@PQf<΍dO_d!0߳9LJ]1Y=1i)ܚoq噣 Max4ty.>y$~XZxҩM4 ]&|my7=2"[d+~nXrMA<Ȼ`wϐNx;*i4{J{:L9@)bim V/T]+Aj(;YPސ MYdmT.h w:V9e+w 0W6xg^gtgZ; 2}޳A)-ojՇic%#YRZ}ʅufUW$y$38| N+`qC#r@9TIp̈3ţJpQ‰a,YVZ0;~Bix&LbS+j#@hxewPv&憿=)1F‡{k 9`O߂ߘ`'{f5@:pU>,z*4+QT]P/0e:;E11 ,$ ߲Y1{dQ-ojZ{H: @:ݠK^$YttXA!OWX_l> ЦQ]|J&{6Mzt N.QiQ-AŘxϺmճHe-GVWkAvLW{+XWgHw/J rh(CÕ? ~ fs9nI5x⊋ [$PyY7`e,\ >q2_޷ujj~ЎYW;dm: = p$q&ڈP _O xiPq2tlv@J--Y$ҳ0izc+su쁰g8S=eö͎<&0ۆLh@5Qv\w ѕLUZIqыju h8 ,GK†]vuWm -~ٖo EB>4ю: dxW}ha^@D'yåWv6Ȼ udf6QH{WJ-=rL1wb Eág G^p!=!3*"ħiw=I?v4Ѓ&=T8~CHidi$l&d4ENS9/F]w>P\/ņ|m>rln_H$<7d :}ctv]N@g _SЄ^FG%t Og|w?> #޾; m3Q'Zǽ{S/xR&B="JX趣޾y?`'RÃ:^wŚ-c0柀*GǼ34DF ~]-0yXN1rM[e=EVv?0Si v:=wu@aUoLQ{ڇYFEs"~S|e9MTɒf|5sMZj$ֈM0"S%z|.d3NFcUfuU  vU1 Q;$fi =֫ͬզxa |@|7pM0l{+U{`+WB`1!$1ic.)紅xk gI `JBv5] ˭yф Xx`̼k(/5#WuA%YPD7:W8KW8qFϒqd>Wg2ucaw}/^ι ܘP 17- .QaT0}bӪdï +oO6]<[AT4lL`Z '#O)ku)9<$91ch r mf8)nPA|EBY ~JEzU _|^ٲt'lu{kC)|1&[R2Jv*Xhwrd ߡiR<+zͻ- VOxʜ(*{^r5R+q!Ȯpl2)q)}A˕wƏt I3H*<<\ˀ^D. du;*Ѫd®EPQר $ ܢM=Ap&)2sJ'ly\E=g 0AQZRD6ZdY,=Z׬SAXlKbi-ѻ4Lez Tft?*_ hV 1M'آ{GEQ;Y7sx霨c;8pxmbcֺc2;ɡv? `B>P3Ni6VkxfĹfxW`>j=qZD$ơ{=bh'Vt|EIۆ3(/L7`2|{cf- k7ƒVݖh^C4I#xv?N*h}6lXEdgƥ>z=MɞɐP: _eWnO wJ&r7y|>8/=Yφ8i =dbo\m.au6z2]yw)J>]jYl[>?S:"à9r ]Lb HVh Wu|22$EiNxt֞$b7#Se@Bu3[D'̚׆xlSa Fz1!Yw5SrӃb6r*N_S]5ŦBG,%}e g|gjݢ\e41sMZ2,B-1,7TlR-K%t!*t#RH]Y\6V Tiik E eI7%TR17&\2L?ZishNR] go"5O DPI֩ԃ|iu8rL*ҞM"AJ1ʙ3kζVئ6EO]ͪ )%.?<^3?^ߔR_RMZ9IamL@P熵0Rn0?)%Dp0iW=&xBv8hkDVZ6@RK \c5 T `ߴf@!yH\΋?gOIUqTsjusx-Xa9Sh۴@?~[5 / t@X,tƗ ~V.٠;f6׏R۠T@ T WA[(HEVTk!d T`'s{ +ݙ ȁV,(_32U mNSxݔjNJhJ:yµ"iu@apw7~%[G'(EXo;޳| )1f9_ؔp> L zB4c&mAԣt, 9?4. >ªkzBwy]F\)1PEcMhf_sݤ0cbଚh'-=p+Բzho!qZ*@Fvw8[y0iE>H<9J4fvj) 0Ѥ  |OO3zTlŒ2O uM:&ag"UL"PWlȀ2Zݓ}ˁl'dH4f7s4{A u Q/n-{B^w,ha({MJE:w|l)WfX#~[ez=ys*34XneVI!Tsl`~ѵ^w@*z+%HFov$`) 33O<ԧ;ȖxlƆc=ncɃ=%LayKNA qfPguo՘r!AazT6BB^8e \3ov5Yހ3&]xrT?;2Ӿm솝"_`E9Y~6jne*xŭ8 .. Kyi8Z=A P+c5`ȁo+hlAX/!pNګV3Zedih[aGܠzSഹHZv|\p F%F/ fz*4ri8\^8#bkrJNzac;+]yiHI4ssx|qjr<>o@ҙ bYAnHGjY .C%9y'L4oz ppq$Wj> C{VkJږa%+AHh'2hFso5A˿&z& xG3sȮS< ֹTj']c(D+ Mh\qũ!h5?L]*0BJ:$aڍߐ$J.W:FΌkrQO"?Kt _3jLa6Im8׍M2/Td)y HݻnvbVpv])X{ck= U6X \pUd; _.6U9=ii)ukZ.ahKb=F VBZOl8zk9P2K`9,3[h}9^J>9<X2,X 1@(`$ $Gson'Z]#6jjX*{yZlH7o5#r/S#0 އoŖ`"oQ=mS,l%"j' Kp%YG)8Dl4ڃĺY`W VƱ( % I.1$w VjJ@iboC=H)'vIIxhBf_ڭM 搦eq? <H){Wn"~aW)mCoS:5զ+;ǣ$9Uu.1}CZ琟Me`W`j_} (.7hl:F==N񣣕dG偍ý,.Ej+U뀕Ї7%& '@pyAgّ*y{4#FD]; rGGt#٢%e~m nM2v &{+oHG M 0ďFq_t?}"Q$j,?#30ߐ;KsqA^Ltгo.-AYT~d }wL+@ }sY'NO5ǟse%|d Ieuk$w!fdޣx2s9S-N/A譸"d%7Lgju6t{=LY,?[aS`]. "k&nΎ|Hè[r̓Blo-VR7_}Lkך$C[۴>O)-ذVRaLf$Klkd.GJq2̹lN 0*\ &xX ZBD0߻DZ7n; _W?Ubb0K <3,O ln Y,㚟&Zrpey9*ͿS b@ I{ == %V/)Glմg옝胂G\:$Һ&)ë9DޛqRߐy/$#DLQo{  1kذo̵``tE4 Yv``D^_L%'rF{!εzx`%xh6 B +:7#oFu&2s=pewl6آ#`)\4t 8IFm!;0Ձ!s"ÃO$xXu]pIz *jD` qdFnkw2Fedt-,1=z7 f`UR$莂ņ!o l >ޑ@~gh)+$T-Vuv8:Zc#$|p$ւ- /r!Ž? `ú$:w*9i+/8e\# HK33LS ?x6jöߘ1#~cFƌMg>yOåJݘsZwx{ozͩ)RV3a9Z𹫑TrTݮU b\Qy:tcCBC'eb3wXҮ@af:;`;+IU%i&y2NQk}q#A"ۄ^8i7_M#J☋:k=oS\.VC2hZڼpw^a<\媃5l%mxYy ! uTG=]©yW؎yxwGCo5Tkp]쐗WO e,ׯ@}jm(d`4ԈҤ쒲gXu;E1%fn?&H̿4)7&SJk@%m58^b>Xzb/ªI>}t($.NI#EyB"!V+ 0#䖑-FH*Kmve>Zse͞Q4=IMWliQj(x08$ӏJܣ.Vha?H߇zf!s!F#-77H:3(s-;xl1I7bS* k3Z&3Nq]B!3é'&hpTӂ`2O s g61p:3{aA VRH"+E*mAۙ Da冹!y`sш0FXGg9ZΙU1y7µ&F ۱gPWgXr;Qlb LJl+&u ,xܴTˆӅAHmtMf:Pva#`=^tƁ;2Fby0']o5^6(0O|"&uZp1 p^AZ#Ȼ[,  /BsZ6 ;(5ˤmϾGe~9}L{?Og`3;cF SFU^o~M'E$[|61 "S?7o$:5l]Tu` s4vo:p9↊`\aW%Ɩ KTP:T=d%nR}WD\;;MUF+ӫ,$ůo/<"5 pz68ۤh.P[#Wۑ$U JC1/I̘X_,\[P/L/+HlʨxYn^iІ*3qB/%a᧍E^]@[eFw¶<邈/F?W FnyϧɋQ&q:C#Wn&bdz?/uSC/L7 &~dE5w>̜˳F+w|aضw:›D:[)vX9;Vi`&G|3i!KMͳbe;(PuARt B?.X[1;)Yxrfhiz"8~j)&N$/LJ`_,_l''% nRH9pF| 2b1a<EsN28ra/=ל>7±^ѧ 9U*ρ9:g=Ubjy,Lh]f"6Kg "a-n޳TuU2WZ^<\=N7&lyK2\/zQ'3:gx+ '@OrB$ qsb 1fԙ[,_pTyV7ݩ, .U v۷;FI}::j_L;dL1|V~ZD+ʡ!Ƭ gkh4 ۋ@5Û>zNfX!oT`y 24g3}x$=+pyxB\f'$ H<f09{Vju<~#BCLZ?(Y(sa5sƐ.\>94?/bXΉK%KRj%r͐0hall8dI(D1<} '`E@<Àu mw ;C%IĖ:K 'n[mB\˥st<:<-lU>g@p`Q9Xo6^G ʴfE٥b&]?"< (D{%S7'@* CTɔ怟kgYbq"|p O8Hx"P;  YY^ؠ8s. }8SA0RgP ܑ.Un =1-;dm ುHEp(d"bpkie20_І>NVKnh8хZݛf3z0hL*'[~mgғ;0Cx9H{>8%T(UZ ;|]eX܄yYV[6ÉYK,7?61Ctj8=4msٟ9rinK*jްUX *UQ%*X9 fX6iyI ixtPb -ohQd)^+W*dpKxD\/l][{LS|8h.> =lcM "? 5/uTAcl2/m%Ǖ׈IS_M+(f4icڣn0ZR!{I\sM%Vj{}g+Ob 3nnYgsnk0,>e'QE{-h= :MPLT%kUL7HEAwyl-+z=^d0벞$Y2f#oban$I\Nd]l|· y)iy"2RnWsngT@qMx-ZO~3LZղ\TΑR\+eo]N}*5 vOzޘpzXH8'.c.aDA.=x戤5(k,mRc,1b&.1򲃚LC.)b; zY=U)$6;cN?IOiN\z/Ԙۤ˪s:~v:" Kr^je5o$ЛFf]49cy :ÃϪ3cF/ІPB:vO3 )sx(t`HӌL7Y,ARy'M۞B,-2# [@w6 ʣp&̭ 59K3,s)eKsr e$K 3@N|)bG1 '!C^/C'kaBsF6]ٻw;f0`=} ȹU4w۱ 3J5S=E1D*p~> y05AbO"ϒs6ǁA. mѝw~IUZmw1>Әے iK:[D)^ɬ\Ld2anړvs ك f2f4:=7`zʌpiB(T򱸌UUFNS>ZT$ =>Ͱz6r)IaiUַu8:nS>/+d@j~* ljBަdAdFhW"n۵鵙lm"\-E xtYqqsI8-:K"⽬$ }`!Rv.[g^W AN LT \'Ox T"OqTJDSz?5VI.E,Uӫ1eUW 6ݳ|⟲R_*& ZAUGJh7wx? % 5uXV| =3{8Ug@bLsX P Ț51l{0^R.ĭ\(BGxs9'BRa,xVT$ԵB>򶶞 -$E SmP>XT/!Yb۱gDnLu,S"3KCsJ%y2|R~uٝFW9g#9*pW{T3oz}^\ڽt=Eh=}|wr..B^ށ6!_ fI̞!K|̳8v}N/|m ɶb Bjw\5<⠌Ԅ"0$p'%'Gyn'JC3KmjL\\β9~B=6 Q)bgmcԫ t<B2DzH!IZ,0VUe%<m. v( G@̠Ac;MNI-;bP06pEgxpѤN'3M0O? gP :'4alq#~k:-U,SJslx٫/^P#Ҟ <>g#"tk*RrMa2;-#R攒urɚ$VM bV*byعOuo4MP:jS^  hʾ23(\%H*erY}qTcڳ]zvI.:5n GiZvɷ)>erd:ك2W!u[ ?p(r2%V[,5OlP|Mɍ٫ l>A\(/cI%@>zE:t+gErljI 㱴.>d$ŗ_F7Xa*2_9 Q@ıat6 bprlq -mhZkvuAt8CS\ps5|_[hS ؤWXborwR}:+4[f#DJ .590wJ&dlM*`g>Y3lZ8>"Y%mcf$Ob(Zj'-;{fm˅P3@&F\-*ꁼ|2 7딋(y$$,vձtR02;!t"q=34MW4)N>3kPihӚs ObmB7 "\ ~.ʒ?[ #|U9bY*+}&y̹Ox_$|AG(/Iʽj8T1:7_0K-W'=^Wk{+qhOS]RmNS+^ah-iD0mK A }Au=yQRTaA۫S4CkEv0u/x"o~<$mm诏r3#$\1T`pDz9~Idqy_WH`$U[C'dOMV,w,D^^dh$_;z {"5C HOB%pNx'u<S3"b~0FRuT C`PtLz|tX2Ǡ#ϷO<j~`z3kHr^לI-(3mzfziw 0 Si vxO{xś^d29`iKoaAv+,fݾl$U4~tq `VVSi>e&WV3p,֘P ș21݆!Jݨ«1Ƈ-UEpKg:Pp "BFXEV`1"k V}6 J1C)<PF`|Ni5Bu"?lNjO>yv~WQ*VO)u/CÒbQ؀ RY$_z:]$d5GY|:Bb"BŪ4Xh_+rD:7eJU-7g.P< 8zx o+I}dNNHn;|p*O|H<̛H#3:~=dQڄwQ3 ,SZV?$+;jT.ZM=ǯ= +}3(~Zj =XhSeB꺪%wM˃K+ XCDnYUsq>0E5YTp(Ú[٧N!؄w^wz/-AB b<nC"3/grW`>5]c3yڸJO3r3*)ڮcP/ g:X/1݈MآKH_5Fx^,lƦQY*X,PRCLA-l5&P;]Ą(:{z^ݤo1S$ʋn/%vƲ]Wt-FT*O0eU1ΉU$ѓr?bgfK)á3J%vFC E 3=R 1n)#)ĉMl5AS_GIvd JoY夐/- b,\Wh[W+ox ` :P& .ɗnj# ^(h5_ yS^ܹ{@ ~z@rMաG/+t_qY1坵BHtw3K#*peP`#)!2T(Qq5a$x* ꬁMfR(8Մ|v.R4b \)K=|#60t\M{nIO.etbf@Q=սg0D zJ3ȈT|pcwk00ÿƞlJԸ=cإ-^ذɈc!`Q]^{)*%)뼬.ۢ")EYĭ jל'E@4%zYV %c9 n^Y{ĸ᎙wTۈw.w`wu:*aU9}L.$h8B ,QB|= [18@*]EFN<~<}᪜gc9$0Zg[.=%Ke}ߪ3qlc` ["!ICN8 zR#4˭5.ydS0R7XR8N\s[OE.5X+nClA]e'#Cc&[>qfgfC$1(Kq1ok#[؜\؛Bù妋ձGp1V&clYxie0t@ya!AŁ34YTw`V}m)9%,鴞(2|)C9`,D-;mXTmC.d!ii1PSG 3Y=ҵDrk) (E"(AsFofpG)O؛}G jfSw05l w0NcuB:(UE\#Jڲy|H 27W^%&ߏ|x4LN{+ŀP*IrG?b˛ft铤,~BTtM^n9TĂͽS4A'E6`,<msMMЀ?\lR5(yZpsHޑMuj^${B/7=@e`Id5 ZAqj`eEy5 ]Iܳ_ԧd6&""LG0K!kQEق |˹`>A]hőqg 9 J D+ >iɲq#,B_̘q\&pɺtH(bp&JUikp2ZpE2yN|@hF|4u.3@$TXU*DQ&[n6sY^&Kgymߘ$Ye0am!'_ n<ǘ?F''./Ȳ0&t=*O l+58IA&oFMFn}H]1d@C3浹`-ĕh S^C^!92 M)QM.*%[F<&n-vܨ̊!xW?{/z/Ͼ16 d"),#be''5$72>ǝ%c+))/]K#@S9ݳj !j%ZP95ڿc>2 !U"!EpQ'L C-(&>44Bv01s" J_:=$j \; 0sCbg$c)rJQCeČkcjA@eC ^9DR=}MR@y[?M] M5L'n}gfƒIM{ ]8@ p'Ri[!9B‰ +V/~ Y܀v3uFrP@N!1h{:AT6S2i`.1 fo\1kHzHLD *RPH#WRCduO5m'fNy!y-̯yaR/Aq3`=ʁj_f[J0VdK/靥ts'k ripxU'W֐1mDaDhn}I0pJe9Ip8̯bn=4!CFn@vSbD6ˏM:6e( #QR댓/m/sK%Y@._jߚF2EXЃ4]AL~4>pShN}]a37~f5|loļf8kJMǿ,.6 r}#0>sxPP̉(UMyJ/bTy@iRיmӤD<hHdF獮GdV u:0(1𦢯 +"D_m$&Aƌn])]Y=3JZd)E%h"$c(Y/T,6yɛlwZ@^R__$WFE[ Tl,5^l;HDxDR0㯒ӳ߿~ܡ1}٪@*N^fX.zEl2+9fU~SHswn}\(ݙWYq4}7\yX/w|\G:uAnH}X[;L H BBDNb' (~'^].=HJooUXWQxCZ7D+-Ι b򌒯)P\ %yQ1U($,~@|Y5G?D HY .r) ˞-uUAR!*j$y Ω9N0/4U S{^`j &= S̾9}hêk?҇^ sLUNFM]svńekI<0(RZ KM 5\ Bvak75 4_ؔPfQ L"oPO.d@m8 'שׂ(KY}A%Q4%pxfbb0W}u(MM1XWpD%nVϮs2Uhf:`o02"p2mI(l9f5Z KRSPFL R10>IRŸ>MV>\!-/a&_`?-Z L7Y"OukdC;5lP⭲SI94mEk yl&]fZ tZ: Y1&P:Yken!xŃF."m/ Hފdrx^H@4Rn,H B2i]0~JQ̠F'6nU^dˌpv3PyC3:\{2HxҞִ XF٨U,Sm Dѯ̃9n_'2龢p~[Qpkp":1^97Y{"ePaF݂ja+Îe묉N1[hCKV$CWLC!Fe}"cR j;+EF?oױ'e-$de#*84_-YH-N]f{~wƉ R7ڠϑ0!w[r,)'4ɤ9e 0Mđ^@ی qic.gSsz0լq/@{ c9OȅS} 4)+mQmP'x@(\|& {p(.U2垴SREH;6혲&] rp5h9&2\2*Lx)pn~0)#6"$p]S2GMrǹ5`Ǖ2oD-Xe5wB懨B/(GFc[RsuK#<؍rYfj1U;#F2W_qlӏ]yKrK (i5R搳0V8{* Rx o@7>k))רyZr&goקtO؞B("ne"%&LD__C~^5k'ަ14=' 8VFٚamZ@_{K9ȨlFzG ŧ#J\O~f%OSgb]X}Ӧj¯ YiMtK#P ġ[ /(ݐcÐS!d#X1p_ּ!ɉ23$c(%GoREi%=s ^z APâ :ׂL3.Sہݨe;cbvД?'wOy"=4Ƣsti"u7nH qJt94`!RyGf/Cjq5EwP-p#}>;_@O/>MXFMlG}~|M7o}K|ow|?&_O &kWM by }?b?x~Hmō۬*}I76WVaqu[(@zҁM?)9't\JNNJsoU:!1ҴB:dtI:7kꐶRcݦP LRB ַ^aRb53'[k q{`|j ,pE]^VɮDDv[̗֠J[\a&D`is!TMΖT#e&M(S640k bY&ݏͅ H7g׋ە-␸0W>24q5ZbwNd+QS`WK <+aZ@ 0Nc*E3%?A&W u{%ImCuf큌K"%B۳<PΦ3*6͎T|zӌ i.Dw $rF"d77GjzBC oHcˢJ{}y+T/mD͐zH:R ЗRH5e:?•Gb~PK}n6\p).kgnm#|" g9ov[BCi fbx2=oOr}SN)`[ UQy#)(ؔr1o4L"BcY,&A}iL9`,d,^ N*7, >%>Z2a9Oy$7d)STaU@\J&/2уz$jM^⭩jP2?bo6RR[RDJ8v \{~ܳ8O{h!/_0&ׅP<?W@<^@@xdTk%4~PGxP41:2NcFd@z?ކmA6Q ˄CMwtMpM`B '@X*v˜Y~}v8o+Vj}H0[HTIVe1arl 7%]b ,S\7P+QE NVuZ@)W.Jö:]=~~xDtHeP [,iŮfMz!8:o6p4\PE茂"۷nyXmks(_nM}j)(yfVy?_G_h{вKWhd 'b%0w$hTQyV6r2B+o޵gsͮ w,g!o#EV$)JWĜ FP.EK89HnF݁4,%vJx'dI@ Z+l~;W-:v] 6dfUt +Bm?K'-&*d Pm3_וʖe]Ȇ&%"v\hn6ԛ jgHheǽqp7%'vGtG"Zg2Y耽0[2eUVS'ܳ:$ͥ(uC{J#:+>R5f L"Aϟ"[逸 j} {^ƌ#9)2eǛ]_zZ׿614?NWMb?"4Ӆl!T?}4.|1Yni(ڊ'uoq6<1] `Rԋ}~!~.,^A ¡v=NI[>͒|lvlݛ<&ٜ?3?Y/mNE@smA;W9)J9X¬J6S]ؗ$N=r2w:oP'~}lóL&$X5tm)c{CA߳!JߎI_屏s6Hz RQOJF4,pf2KO;80pZ!KF 2Q6?DxFt3dD~{P`!\i XnXKؠWD19K]0|H0&-`1Ϻ|AC Y4 KrR^p^%mnR5ȖE+WCq)gcG$s|aȓ7)9SD&83XSpui2H#w;JK*kB6a>fwn„kVi퇤t2Gh,qJNQ1F <Ջ04CQY^*ϊ@tK@lƉ;j'9H or@s$us-kN FV4NX_(܈iJE{Od C)=˿lG:=(3.(1G΋ҪvЀhί2kZr^['-) Y~H{dlA|T[<Bn&nLic_SVD3 8֥[GBx bVa>y7V̼)oM6=?])$;7:{n`aRv"hk1hc73+]@Ȇr8j?M\)b?:ܾTn|P  OO<eOhˀ4WbEgpg()jc\3k`yx=sDHN;zxU./5:(sƜcBq=c/I@M_@ rWްJ("P;)q#w_Nt2|V_h D$_*vun*1<2s<ѱY]X݂fl.a)-~=|_U$ݽ؁GbskegϱJϊ00 hB6a y%cI V}dEZZvr[&w7$hA62n%`X`46 Tr1 x_ͅh(|7Ϝ K>Ea֜:(ru>{EJ v "qH!R:o 0[uy"Lo m@l5|ؤyb>DbWN%d)0*zku8zm"NM 89ZRmJ.Vpyb)8y]fUK mXJ;Rdhe'p2;Oߥ!kr8u.U .ѝwfR3p⚁ܣ)J U0hcs!j¢/tDs(1h :q|A&p C}}c m6 ъ#~]݁%tLEWY{S-5HG̼H>Op*M\v"8އG7dq YEo1yJONsNڳZ k1%4uĠ~ްŒMrն&c l$yEr5C\cY'G T˱E[K3H& .Ms8J?Cr1qvy@C١TGP0Ԛ}??¶N( n^k&!۠T|y(%=yX1/['ՒEl+ uhFIb%q+(]*:"4!q x 3w15g v /L~m kCIqN~|3O; _ޯ!`/9naO.Fj\: z˚yi7Qg׆w6mNa)!vǻpZ&t ? YYFKJ>D'i:D2քG(uV9wsK F+k( ;}S{n@9gx ~e>fE4W!Tఅi|A_µCkd)h_h`N&е2H,nU R;0A!NWC( ܿY-[]qXtU\zѠ;γ#׽ y=`Ԕw>>>ׄ<^XkoXpCSu@!*6~CJO7 ~>o_r?#A#yP[mqlzD_tԯ !=X4-^c=8 >mCOgUޢAh',j!'y8sr~#rwWcg}la-rn;UOA.ߒ ~1A=toMJ<鶍ܽ sRRla+oo~ ZZ)s$&e~=G  :77Kسnls 1q4զg.tk}֪xKɐsըe{8,#NѿYA պz|pFVerS.LSwOw$,֯TF_aVi;@*P5˲ '(GMuje_]^Lt1xA|hC8gŒsY5=7;wI2TT(**moTF`e#?ϾK`啝ō ݳAxRΔ~̮ ̖6,@l;x;VE1]EϞrѳNٶκr-M`raSz% =[UBr$>6vk9Tcؔ]ݦs忂mghQ8&$U>>kömy40 YWTP+5Ŀ7;02Ʒ`p~1}B+0;BgJR!+W<28]%Nu6W>)^ES(`a0zŧe.Ig9L4;7@-!Jg8Y\fdEY@ &x&y[X:e4˹w`.^mz*}ve䇐euiI!zLkv''贈٘Bհ8 91dTW04JE*S pt&Jt"~ Yv7\N܋VրguFA47j 4G^lP81)o ~-%7]UVut?unvflcq{t)ubs2.LVh #_VblEuKbY!(InH[jɃvѤǪ2f s[.J*Pk ] CwN"6*qP/ E9N;uBGFZ3z? MeAs婼V#rOgH,ZQV>1CPPTCBH5YI]ۂ4zhkضbͣ'P k3i,ΈVٙTq@%FfG]cWN v_S5,1/ N])Ϯ 9PN멝%,5d`mҟp pt1h&rċOjnm'5b Ÿ$k Ň_'kB=|pz=T)ΐSCpÓGOVzj}"綔>oTعqhN Tq/IzDSEf1'!y\Pa[SUȼ5Vhy9B89 < 8;lWg!<]$ 4@];!gF2qf5 a.—2uny<=\1T7@p:*5;%0 oL~EɦT+'-yp.jcU-e){L[L;ZB@g q8DU"@Ɵ4Zf0{wYh:dm2(#UUL[Zu8!Tı5mV(Rs1[7+5mǼDus c>C EG۬5&:bWu VYAi3f,lUXռ&>o;Ke 7<f xL {ϹǶpcqq^I4f7D' JK97Eu-gʳ 8g\d [g\v9DEǪFFPlW`r&1 |s_VGԾ}Y;mM3L!`>iJj! _G$+ESl9q½[z[pa9nf4|Fva{loL7*=Zl, ]=u/ElsE:z@ }C縙`)p``LF,~P,׼6G?e/:%!B(L,'?ڄiw'"dVX:9xy8 #-᥸)dV(jtt||r)[)ih0cGgEYhԀQt, zgQ:Mk eJ}󢫡l/ѾE^N߼m8 ZurNY:V_M_ O dͨ8Jy ("c}}͕t}s"k_)lW}7?:; 56R} ykA Cz=5£G;I6jMGNWZuZCYp:>(g|v_:~rIQ_Ƶ`b1SD&ª(pطH, q܅j0pVD~5fG[&a"VY "_/|v8gVu5y̳4@zI٧a8-T. (6k yCdίGi/,*l?>f3*l!Eܔ :C3n Pʯq0rpXqp$<I.9К_XE ݕil M-VK=LxW$& }@=ҩGNQ7Ɋb4d!aV5݇73@Z3ĪiN)ZSG۽K^1@<bQYAHm/rGĘ\}BO_ۋe ΢b YJG(!i 2YC/M¼ʇ0/k,3[@F<>ȟ,'?*.r]j^ ]HūPJtdJYĉgAs,K6w~SʭmS<3\i|ר׋-E8 JFD nI`KM4QyJZda7wzX«S/%uȉ8+u۞yh?/Fв< `~Vpfy}Du{=yoMJi5ݔԃWgoWaD.Z[V~ꁸ~Yc)$ ٫hנ.~㋓#%h@Xߜ.ޟ9W:RR%O>! $O~g >4oq9'wG'W'oNQm% ZNN!lY- JF@:3U a-N7w!)ʢ _T`A5:(@e_[hK ־?ONC=R`ٸLeI${rMP-pAL wx~Jj `*{峧{tOdžd:\_PQ>p bQg=^G2h+4Ax?J/7Ѓs`EuX-g?_:@ a;׵Єm'c|W4Q ƏABy| V *'&;@tSwRGJP/EHB]CS^0$]Λ ڛ83A;sE޼6w8/ YQ- ]7K³v,llUVw-IiAcL9U]Vlaü@W(4EH|!G2h(CS]d :g ?xG6h`/g GGlGvGO[2@:MkL B42C0̦ |!-հ.I_al^p6:Řs\`BN) =;vru\`)>*EI{GkXd(T?hWCڢJL ׊˓]Uk{҇4/ v*MA!SέxڡI=7Ѻ@a0 8Xt>ǚrL{cuUC9sk͕=w-=}qHp Ɖ)6l'4[W8]*I7۫;ޱu#K4O 9٭\7':Rl^wN<izR09آ qeW[#A7yKMr:R&䛾e%k1ZSq}xs) MUe]b]J14: X,b@z}HS\ νh[jz:y(^mnZZxG2w)My%ה.cWژY+޽Ew ]U]|DצTc@JNM$bF{~uF~^_ʀA;hQU ~2?~hnlGom&`W@ի\X xwB>-"Fw'ul/ꈋ#\:P H w|CTod[ o|w{]AKpyhV˜c8mg 9|EY12W̰8q-q9B?#Yi;尉`ߟ&s'xxU0E8W#n:`)>]]뮴K;4,/?\kMjhMX r *QnМSe+0 LvIDA%¢"V֣K0Ul$U,y@YZm x%Kw{ o2q̟W H"[+2y /O#47x92GGL2)(؍vm<~:%(`,9aS4)'`iB̙%Z_Cq cT]Cu>{/:hB?קN "Q2I Mq SpdF|~=Χh Nu'+ nxmC)iM/"5c]*-j IXq+|cތ6{/KÖhXxT- QƗ㺀j2Q\b`t`?~ qPvqqMIBFA4`(wkP:̌Wt{pSw ; hAG>-1ֻZ+0U| QX܎{:Gj~]h^rr\g {)9ҭ"^X}dc&&Zbx܁x9µDs&<}ONj^5 bQƇvs@O r"l3WE!tWS^ wejZmʴ@1k#adE9XPllJ0c0L{[:gpF_in3>Pl3PɢQOP/ q( f4Fx[D<GMO'S4QYkg04pAʍsB\N=M*inx"9Blsy _'tDC,2"C :)BFmt@o | 2}։/n(i w#YsەNkC%qcJ}M^ 2BƖmVqЭqGg[]jmH l1a!- >iSDT̔GrsztczYp,ŒyKMC(E50'Cta>d@] LH"]NxS5(a]z Aי dxG&1i08$k;7Gۢ繑h9~B(d6ҋ-mp8^MBIc"ÞD"' ZPjEE+x}%Ks 7u DZjBjan:"@sB+ v.#  z;[!DB[営JmX0:֫*-' ;!AaP\L$wfWJv3nnղ^l/ =ޚzdb¦PF6Knɫ^n7 e(}Cgtk& %#$6Z׀B-E{ӱTGkа]f\?y>p:S1= ?ړV =J߷X*i<=e Pɉ:&:8A;OTh"=I~:#=7Qc˴z(N˨>)ƫ6((Q 4tؼEGЗTѾ?jf[.yR2Ϸ1R ހYq_)QbWC7h`M<9Y!Zׄ~hu|*I3.2e&%cQ8R27a(0ms#Iif'?uz6(jڱ)zѧZQB> Ӑ w^it:mMԔu=Z97xN[eձOoɅ(s~C а7~v*T*:,ϸEi+m=>> =^=q KXhs|tP3+p"}7?2.j6EYZØ8Ibk-urk g5Tl QjsizOtZ+h&UL m`Xtq(Lfz\/m 4YVы(XgP2HS?h ك~ôfu6Ý2堢fjU0]BĊ? n~zk}|ޓ-LMD:PxۡŽЏ~e(!3i(f5ElQHSG0ϔT$?ݻxHq5'_,$S==ՄN/Ķ͐C.m OƊH4q 7cB.Im冂 1jau [ҽ`HB@XsˌTxN/oJ0޸ԖT=hZGr֟#4Q5J6@hDSujy/YJYTjuBvkT"ܕ D7╫ţv\jeA~oAw@Np %F4:ntڗsE&HX@?;;[Ʀ$s"A\Ћ\YCrIRʢȳߌцnE, Uۓ?3:A,K[* :e|=a48[u}aֹ w}N[ YmSo#Dmzwzy@nf~Rg먯.3(kJ_|E(uCʈ<_9 ^xs2UJ[ |wM'*AwG! Tz]ʹV`*Xz=x!_s R ʯFVv)<'}=,PG_҉u XO} Ga7&p;g7LZXJ՘DCAA`GWAM"b3OMafGVZK`SY'y;E&\҆Z8D\V\GQ8:LGR#+k %gU 64Đy -.Q@9'i)4I?%m yt3d:,OTV%KZ*j'05#@\` | {.B>A(Jqb5€Dc> Xc#yAr:lDʒ7Y t~9gy-r ,Edo\ӛxI(_A%Jk1D&z8N-" @#\]kl̋kbZ6az;J[x$%iQ |.[jh\VUhS$Og RLf_3F"Jܢk0Z+bM߽,xEcTG7Ѡ5εN%0MT0E a~ q0]~/Ԍ~& dEaɴqEBZ; 1ut$ m&qA`8e&\*WdҨ"C`=8.-ALgB$]2c~€H9&qDV;^oVqQ =0\2FZ5mm%bsX'4$dH=Ç ^ֱoab DrҘIӍΒ+@۔:Lf^11ģVӗ4Qø$e:PF %+pX]萙 B8>~~q3] 55Ii hE4yh9|DUw-N}4`he~poXG T{hQ= /}7zGmo!岀jtwﱻ/y=w3c"ۻv̷4D5rFi5&>wFS]6s׊,-VGW>5|<=Y\^H V# jP@(՟(8X㕘w6FŇ_WshwltU8Ǥ<3a8YGTR~OEW(ٿдwNom JY=hWOܾhź(#EpDsg8vL gc2t#|2qi2;,=wgM˞;']b*t1m%JŔI~#a|vt5d1q@9QcYD<)l3.Ѕym9sU,B͉4;%jzYpFz=*xڀ>4NSE9"'U&ɍ;FUFϷ9ZΘ- UٻT%>1q?>zՕcA?_ٻײ'Zj Ȟq)tb3s9"n6 Ulm1aLЅO`+Mo9Gog*/@ՄDhc.#i]zhBH)ޠ;G_͉^LI8UҸr`w,vBz֚@ *1'0Czsh z՜뾦YSa"H;MAFV聺p괈HsdnZeQ3hP%,Agܬ-M wy+,MgVc5PrOw3pGWNfBMFK7;icdGR+c8`z4OXuڎ 5.Z:>C|0*O_*i{ڃ72]Yu1ueXTh!6 _IR|aV*I6 "ALMa g)lgxh Eird~W (S$i:כ0,, ATw!Y3:I+ro4Ʋl&lFpxll<Hi턆1_s[-G 8*<68R޴ެUts|֪Vͳ23 S|X/Ֆq:XV5t6$JF5: .Avf0SBX/^ >ʿmŊw׿h܋[GXtxֱ/_'?c/KWWW:}w"(jՈ¤Q9ynŧ&i>v1Tm0sE#GPYhSaq LpX .AЕsrVYgٿOg"}kB`#eyl5^ޟzRw UoF]ꞞY 6,NٳU[3m8T[lhAb w 0ݒ6wcx~c#Ҩ;ǜ[p@x ('Pz^.ΥX "۾ͨRz{"4`}]zh r1t\w!<g.(1\1D1م0ÈһgJeNxNU`]I!(ࣔO ]Z|Ї Qҗ,oǹ {~mt/\ ̆ ID/+x^HGď.;[l6XpgFx. ٓcZ<9|Ք#CF"cL*NȦiPR;ΐDO#EDsK۬e%UdQw]4,[yˏN$RWa~Yo=':io@-h6J,+$η䯋ve'a HX~ ,WJWno~p&9>mPA.%p5R( 6~̍`ڒEᠧԐr7|cr@},.ghS26~œDylT߽zu'0rF-٫x˚͛u4S @ttkVvut1fb}e\25EЩwo/_Ϯ._oNNʉljTm'0|E6M ,bܔ҉p1 D~AH3;javyr'-Ee vjFFU=:.%1$*@߃z9Ժ5YHWkL+!)'bXU;Nz QGR, .^|ؖ^B ̆+: niEt?@{7gQBqz 8юf+sG^Rv'ߍ|qF ]4`%] sF GB+AҢrWxO{ps&ĠD{VB+8Z 䑏2outu8*UBm g \,uTɤQ{ %nsO`Tr%<4\}Fլħ{Šz Q&wkȤAG? ېӏki>|v9ZڑWo=aX{_ZjiVAy|8‘}MFiQ>?'PkVb!Șc0%-ՏGGoO &X&}1o,{@ĕYb*ཻ8:?>Q+: {rqzݹD oHdL mJUdU>JNɧ'[uNN.E` %7y8ߣKy`Bf\w˕TÌGi(7^HZ2 ު[@ski95>8^N_2ӑIFno93]a:Ds㵖y|zhilNbnk j, *Gaf Xj5h֑?c^7sp (JΑAp4՘^~B&䒡N覾k[!VGl:g ppr67!Sְ}Zfjޭ4A4<7<*󝿄z)Az7z"8|9G%P&9uؠw݃j;x,d ^.02*Sv~*L@zN,rT׹ɽkpֳȉ@̩n=:.Nͱ}U,ðD bOzXeZo K%)\UE.0hsG)xcHTuHvTQ@Uu-~u`bqj%GWǀ9KBnlGt:X9iѿQUZګᬂrO3!0`J?~-Ib5$@}i&i@.eKo&~bN4Ln`10HٮsN@#Li~fm0`KlUۀFunPnB;--t?6&mgY1\cOBgAWŏGLM*]r \r1Ru-0*RGHr͵ XH-!OU:=%\|I@Iѵ#*نa{f1Nx}K 9lt]kuC98ViUHf ɴuVnxB@?GD 7;>`Ea~:FM5A֭|Q$]bIbh ]JxZ1aoMZTE tܜ*T^4=#5#^@Iڲ8BZs׻; .+l! H>`l.`oQLi,,0;txsO `9(79ל=86}bzpk Ze3 SaHl:Z{.ZSu0t#Qhkg4ph[`淖ֶ]4KRj0l2|wE 'W&RVcA wCCDԇqjN ,A;'gύY9mv`(CwL/]`֛TS}Lᮝ$'T0] aGLÀz(FFC9x`8C;+f0܀S g -G&~܈ձf=]9f{Am6gaV|%]6CPWwf?LI`P%5&JQm=aߞp6`"xIP0T0I&6`Rq0EXL$UgdR&k_O$ ;c=ε~RQ,/-rԔ)75֔xRwL/B]̣U l7'ף⏻hk똴W#˹wG_e!Pm.'.T$T -̐Q=T H9)Mkm)>Ӽ*lx6{b[ڵG1CJC@g$ D/T8U"_uYձ~(吥l{!#ɬ,WVqG1K)GSub GݛsVwr8QS~d%w4G1i%gL 3@{igf8D NP9X@ì8bo~~965v?sH@k$muCt < Vb  K겨aFmWl9GQr= R AaA9k}*S9ŀ UCS95+FpF33!(+(|5Vkf@ Aܮ7+BnCn%d똤׆ d~:RvBgE^c1bS8uZ|3s:<؅rexjQYלM=Rew_GHgOn6Y.w{gϳ'xX@+-1O-(똺"p}W!o9ٝ[?0{:aiD5Sz><<~܋LmF > RC&lܝ)J\ 5Y `֥>Qb&&UE$'{wsQV3=V5ӊ~ScYQKp n ꧷2 c7f++Xdf/V7bצytYc7ͳC gM8islI?|x#oEyY>{arD _A|7e7٪AOXTŃѪO) ${;q027>%W4#(S ͖5̲Ix1HӡvRE"Pn:*ɯ\ J5wTUܺ6>R5TRD `QBf hqAiF9+kb9jh nW߰.T՜ ! Mѳ;|HD\\M8K! VIkd#dNmSd!T ~r ?G|\s~ {sRq_M q 8,qxF5OU{qwB#B{js=eucl6>J7]wh~U wCOme<6o3NF%~~5FT4ц"ɘU="D"! qH x2HÇ@iq l/` sk߆p6}Taƴ.6Q \=0v;dDsؚfښH1K,bA$Wc {AW3 [OC]Alڷ>f#l{W C X+4/J!&v}XKQ0eU5 *)>׋Yz WIk|U_0†娲)f7䄚6G pCs0urYvQX+^Rs!QA!Er^r>+\ct41ShKtZ+%7S2bTo?aCNc(HƠF^72Ng_Net⧐})kd,1݊aV8QEjd7&qCS!<|_,w9jW:Gژ$Ir4kJEoO!6$gOdrM/B;[/ m{`iCX=0SBA %J.@yHѼ-8tR#`Қ9m~[~s/ ;ܶgf5fVz.o|q[$óuHT 8zG;h3'%.!:.d-HUB2$$ |/}#M)8/z?,S vd):H"5bor~׊m@/a\.!O {o,+%UZ@%pgw)lp2P@y>7pDy3,ퟎvg?H Z ;yt{X#- č@D){$6e#[(j&Ljw݂*2B*#jR %sk003kJ DQ*"À$Jo}_4(At(O<$b8dG"`Kɤ$~Vd@x4PQOK-b]1~*+}l@gya6U%1fVVWmҫ 32guwddb 7TcƖ6)ĩ%f S׼٬΢ŰjI7ԹeQ~ jT?>|I5C(>z(h¼c^ذ>,n8WQ@c'|ahC>;ZA͵e!Xi8e-Gs!dF>ME&ouZ[{(+kIaj*x~b嶵9 j`qa@L E/Lx w hԯ;b,.NDzCvwYE:c4;aQ$!t⬉#@j]O*9L${/e`)%1ԙZB }ZF8aaH}1)rBzkW0[|{P3w'b9v@q{ꨡ7XJTbr%yl(0SJ¶;AFLQ<8ti@)9c M<2cr.q/(V0Ak,Y>_پoCֲWA",I P4A jE!c@Ý 9!фce={덦/ح^7zAabAP䖒˧pv1-ǫ㰍>2F`xa,i|:c'0PL1pBf|V8%1VM[Y1a;UF(]ُÃZ)v5nT?~AZ(B3EԿtF!#a+:HɠP7 u9g/μ7?Q2I߫@1b ;OHr)h?yae?0َ8 5ʛ:MbPp-_:Km.ɝ);> Zp1cbVr8e/ WG{Cވ?)N)qQX[nǠۃMQiRf{eUovXQqAg':l wKt}ΞJ.5BwD?8ƨAorg02VL.{6/Q1,FZT>x<`%z,]9`\(4l Q\"ιՆNW)3O/= F7Ň:;Z@@)G;Fo-}XO>-B2[܆v &.ARP_`MGl|p7[>A'h߀Z"޺,2 w3+!r_{LgGGkh~Wv&(YvmĖ @v]6P tjLmXw1|H50@ȶyHDN>E~EW6]tMk5`5@?_5 '{= ׶N`m| fmj?T`# aز}0>Epab^ϳ]XWjie27`oR6N5uBEk\"I.BdjeLw-V)˅G2rD*=6Q1H--FtNS(uݞ:&`tsu0VbQ`jFQi{[:ٸ痻!_HGadfE~G)S_jc}4kgLY%362']-U{9aͪ]g̏P('雼jI3XJh꿤&2FY 3p)[I$Ok++M=vH]4p/t'AEȥ=o9k<0`xjUF||Ւڧ7KuUqAP f"?K0Tփ9eV]9 y1C&r^RJ;zU`QY: (ZY~&f)m;p c+hV>8}%# ;sIU' zT:/ c onm̼la!ǧ)ަ{7/s5Œ0&JP49yehZәLl6 p,͞n]T'u%du ME+=GRZ9ݬ%+I>&mQoޚX}BwZ*~3$GЦWZ6"wm4Xaxvrj;r+s+BШX9 Ylt bˍWU C׸Eلp>> o<ĎlӀ,!F.(KI@d Å6hA>MĊe9FVro+LަE:% aZoUUHAsAHsJByA&ӬQ-1S]DE#cT [×\j8NP *f-Ǘ;>eH dW>gUyZ) cl٫-JRɻj4`*vf[]Q(%oDMJnN)ԟ{Աo s`FsWvltm[[t}0{y"-k@, ÀV,oΏ焁 p3jckQ ?[V%ʛӁ0h{\:g4u'e MJڠ2rA_l8|?ǃ O8%{zDxȰ, -wI8UNVJmt8- Ȇ@=Q\ r:֏~#X\j| j@~:#2Һ.GyŨMjG+pG~??n?I A<@*y,}}sNidt{]~J͓sxͦ!tjdtBdKn12#k5}uJ*63!9J$!| *pT9FV' \>`C#1,{IpL9;M+gM& >8c6%,k+sfl[T.aW8[^@hF~WLʆ>c܆Bpo*TQ+2J(Zb0¨Ze;pgyP7/NqoN ;ņE\1kHgKGdnшϑn/%C^1;-;Z,$ݦ5 %l&dd_!EoEmz1q@f#],yɦR_  9ɬ|ɭL\dGM]7ˋ:5.I{d*+h[g.DJ[O|(" zy|DWrD31YO-ܕI'Z2"u%~&J&̴T+|E0=Uh#ڔgt;tGj:[;ИB:/A0)wt aZ;6~%C`Efi)C04m 'l7S'ψbA s/򡸬WUq^u`{ϛ= \qrqGU#βJtQ?hԵB̴$3mVc)\} XR bt۲-xYhN,=YYWo; @q./ke|ԎGzBs $=<%\+w499xǒ484nHg?]t 2,c[FjҼ+UH7' K3ϪeCP@ /lQ}=ȰpE(DpO6ecnfLV"Fy (V{+}top4I19yoC\QEϖ'߻{5EևؼdnC02$_6/ VeZ#Ƕb[X޸w*)ôZ1m e`]ԢǬ T32;hYe 2-c_d]_g 6l_b6O=D ,(ۓWz`v^Ƣet; If^jCO&D2ҚTg:F.Z$JAQ49L`щEv,RF8s-6`,Q6#6v-eM y~^ \L aZ@`V7\@X$328Rih ٦S1+`I zM+*X81>lY=F/mtV B1^9`[ynV"}۬zR2^@1C,2n| v7nP8¤5|Kon?0#S*-'#M^ѷ-:Kٷ(&(*;  υ A7>wZ*v 壚 D/PyHґ2lh(vk̆v2NPH|@VUJ< [$mI:F:GH,W8;3ܔT%crTb4`%4P$VܑK|/WL l˄O -d$uJ5xb=OV!@Ÿ Mi2Hp HߙB\AH$[#ʪ(.A]lZgxB#`T4<1"pno)2ƮE'Y>.p$45kk*ÜGkǨjnPA7ld]+A܅$,JJXHhv4]GP(k8"θɱ8S\Nlx~'aֵyda)Dyy<B `A 7nYSul"&&Lf'aѳ'ogi?Q Y"sy(lwP1CK1mUas%`XPc!A{x峯0.dEM}0rVVϚkou=⢼v]?|K^ q}ڰ{_M(LERzNAh'{w~򥎕{q ;%9YPX ñpjߚ8 B)~gK16 L/,LUi2t,Kt 8!mCD6ʧθ 2u )Hab6S!Kn ۤإ>2[x&j!7(qXZR뱥QHXnmdsG`6%"Sk ,5%5P&5)x43РjUDtGtTE6l,;DgioF3q,M0^Ze -0˶R$ܶ{He}ZdoGQyHvFEV7p5LP"6;h:P+PUDZv2m3XjĵNC&dƖCuq~b~`Ңqv}G wM_Fאwv1 t' T&f%mr#Q_p=LdL"-B4~*X0a'5J4QFVͣ)ڝF(guO |isDHlDpdP9Cמ\T0!MQ#9,ko}T)Wb5G$p9~o7OمtlJ>VrJ+g _'_j<^! S2WK}KgW.D/`b@(=wc2F+:IK YPxGa>z2>Abm~X_X!kYY4y#I0$l8䏖p$ȕ7GYdLZvTHhEgÕcppf7LhJ 8tרh)XŦ`k0.@w _بDYp>I7yS4)TiQ/E5됖0 a $?=GydC${% Xiudm'/td O9(Sa&nGQcg3"ԡT7Xžx mV, :. `]-RC\;Rcf<'ƻJL 8ņ{d!YPw|aN?^ :uh̘+$>фZj*k;G;կS%p$T;8ݓb魛ωL-LX1 #SBҚeט$;;7RWct3#u`p|RuP&^?ށM7Аhϧ(K[h_ ^D+ፏ.jƼL-G:?q; B~؞&N-sG;^&6GXh8攲m v߇~XbE)pE˜OT/Ərձ[SX^:ZN{Y?V*持(Yc Ga*Z78 }w!8W4m& p f2zPK%q0.o :(0Ug islq0/E #QoxܠHStlj\g3Ǝร Z\(hVq&pplBNA8 v׋ *ܩgci,Ihg Yv"7; xYCmכ)x.eQGk2h&{ZfJER@MĨ1!YY."OR6/ [.t9EzvมDSJuCm2XR%0F*h#֭\(=Ҧ5ADoV@P)<h uy򴿷q~-\oU8D1 iFQdmZ:hcFc9DJO^56+`B`#i;Oz\P|t<RwgbD1(Z2 rpk4+b _b?H #ϋ]Z@.%`ғ޳4JZb=r[g1b|0 #u)@d ,*)1c4I~r-7*%rTH8k۝ QktJn,Qsy 7XAW. /ymeHQa-R򱊑4Ul7-pN@ס%Ֆ.5ruMԐ>j_Wsfxv ?F4Ղz\g{CgdZ 11qLlV?|U^üYc.Ϻ,5j2*5On:z$.,b1l"Bl4Kgᣅf-"<{V Ϝf&̐fYjQӡ5,0AH1INP49S-c퀍}8R l'/nfE،o}WD$ 'yisy00+0ȥ0T?&I^P4qQl3r$fQZ Q7z9E$gb_1bV 풵Θ%oyD8:>dSi^F@uC)Xb%ozfbA6`'JGU%V/s'ٺЪ;j$rU%|32#X6z.'(ߒ%Sь3s` o oB`7]NWfEj\@h da T@߰${= B!rt''0t_8X1#qŵ˪Z.Z~jw&+>g!yzB%ȉ OGlxoႹfPpޅ^ );`6 |5M ;0{ 4!-P? )^?,\fTR!خqJg=xQ*v/~lnMGY/szO[[vahHLYd8Q+h}\uhwKK ;QZr#UvvfX"|`åt26"j{_~icH ƦCC&I@hOM~|Y0scbTR 7/RvŶ6 B:X0(ֿ*t-%Ae6PC^vfZW r 4RGҧ*OS zq N5u .4$G9>zLc+HA !kRm9 ^Q=WSCTf||$;"| BǜWGuwB1>dSxAɨfCCIzwk࢚$]MKc‡{t0* -RBK DP0}Q\?z![82ᙙu>{a7jnғфe Bf_ %bT+lbDO:kj@<_hI,88;5XNooy6#a?NK +<O K=ɛ :MwI`y&VW7kR_G:ylc#z&@:xa1'$-2kaٗ-~+ _hi)zj?c#Ak8JpnI@m.y([=x(- -/"̰~Waw:$r^يcks#Z!%5Nn3 ebjtp?eNkVl3ҾSBAiкK` ަO _>O46TU1W[}%Ls{Tb%HelɢN|AmMk}sx0fOb~QI@'ABtSϞA~mRewp@_mY輾rdΧhzp}G@Rg tHFTi00_~Pd]W|vh*tPF!D d()<0e~cDj(@詷ϛqg :g?qQsb*{91Gy@2{[Brw(hueN֠r]io@/h]k-T f6oaowFݦ$_Sִc(iъMCr&Z6rxit,6p,=%HЮ^bz6Kn~MΩ)h|z u[EM*uߊֳt" e,dA!e ?CU4ڰEdQmWsbl:rcZ~foMVP4]4^$ZL8a1iHP&[<ER>6Ʃ35 9N@H bI)Ar~v̩IGMd_ m;̜g^2-޿| bջϜo^]Ɉt o b'S<^W\0ScätqqHDD\5%UPvY!Gä>h2898{lQn0@ek~$L{S87:z(kK6kKhZ$S`X;)9G~E?G'Awy3 T5_VK}!ZK:vb|Vlp P~סyZF9 8*"F>+ u PΤp 0|sMݠ {ci3^MQ3t>:0CZDA~::(} }o(  L\N.(p8#ewJ_ܓ#yd">ƌ 1vC7& E9 N)/ P& @3 =q]踢U98^+'y;)-UMO^=JԚsO]8iN+kngW1F@wRPiqQ:ƹKs wݝ++N[`' QPp._b(%PeÈpJqA% nا(<}׻,(g"-qt?^bN7騜-ŧB+A2"m}D::wĄYt,rG봀ӤmOR( Kcc\45xٸqhM|''okCDib(V),;95XԿҏ(U<̕pzEȘ9.n:֊gg# yNHүF!Zq/Jo<ͥoQSCW~R#vGuCW@2=aWqYa-n1.18UZ;,14ұRt[RZ~"~IN$R/bqb-π{зt3kA1a%'p`}tܔn "@Ç i!Fgп.{ht&tv6P]?sMY'!8HbΒ?&J5bS/:x T|_-vl?})Y<)y/di9C4sCZńjCEiyQ߉0 LlzmcRmq'czn|&Zm8!6bږbsSR s%1 Of=vq½]&;klr1Nwp|O/|7p<{pXp_*tqQ,p42-!3mUGBuaJO0U]peInfEJˢMt Tt܋SCUcnu^{~1ZMΪVaG)ENaU$4Cx=S#Ƽvt2N)M( &H lܿW;aH(twQJoF0wh¨@-51vߋ`kM{SzF3Yimk30hz@M4ҹp Ң1ۉqHDB@Q2%m\Ca;Q)AE!MX\.Q4Vͽ?:ə4R̸/c%+"~g׊ &GcLNa rY̸P`09MbO;ɛܐ<\Byz8 iw#4|1N9pjefEV2fuYڣy/> uϖ1xYi|U1nz̀XYb&&v*4)zEJ굱K0踵2Ai)kۯQs6VNcg鲲g%&,镒]L+EJĸZc5tMNf/xd2Ѩǜ]%fg`^X`q+%#ۗ/ ;bf [`?$kњ{ w]-yUgcê2J)(fp:DC`}dsen>6[əaAo'A(HUIE&N [YYUFOtuz- 9mp18<Z7<4jkG8!^ܵ~:+#[ۈ2\$}{X@Ym7氟DY:pJ8ԒP#A,X20rs%%4YP#eb!S䣌l&f䁴2HCA!~Q`ab]MRLjiH S(NQMM8/bK-DT~]׿P|Ƚlt -Nwh!dBp61ZDXÏX)m|+@2D Xv_T@n䮯5#[Έd,-C |22m@OΛM|$B'<٣G: &.b&y:U%FϬUtPtiQAoKŚdXi:eKmw|IRKxwO@>'Q%\^qFŲ.4^uT.Z_j(k"܏aQ6kyP}VG$zs_ %hcj :>ry[|zW_:W`ow*oZlʃ>{|=^S>OZdY- +wu]nq7+_VnmTZ_=քU~l-_LA{q ڇ*OC=8VߌkDŽ~!絨otzN/.ZM{=. P_I!8Vz~-Z۽2TMqAPO2B﭅\)9$}u~拾a#XTԂp%% W}lN[->/#7UulUXE^[AzwWSA@j5Z!m=tsA׊]{mdx>5}lYbSO?h4_qC8>SG_رٛaOn>~ӽ[̪Q.3FCkBśf|T!MsYݞOͽ~mVNLk#ACU͈{,K޳lisג=u(yc7[@.vD0f=~"?nMm1|; Y8Y/'=iw[?;5 !A;.ڭRu=;"cq؁_qvUCȱ.8ݎ<,n=5ao| A&kSPHmWg$Q||})RVP)ԉ#Ӻ^mR Ż53dS<e؛!)FnTMpw H$vVL01GƁXT9㏩z}%-jI+O{ꏬa?Bu)ny3R&Drh10>7ZTOO-X,WX\~dTH@G&-Y4h8,U˝t4[MfNgۣ ?={5x{toڎ(=gȘZ:mRhHzy͆dH>~Ȃy(iMէ7GoΏ{`w{0^.ŕp۳2mh~s<{ =E0c6syzv}3T#8>ePhgke4.ÉQP`RdWA`߅*h0gGW>@0)C^-vrBaB"ߒH9! 38HtsDfwv6t' z(o;:C[hH' !bm[X;\? o"iFG//v>nX%Jr:a?4 <ܴpqeA0vTn(SwRp=@Rfx#kŇICﴩ{`Sˬzt,e##.!gd׹߅EhXT(D1AF]pL[׮Lnm<_3"%SA^@v5 \dwDg`-$  gŏdn__ERΜWGgjc}^Qz-⛋nZ hV#53hu tt<2DWk]c=w:@{w̫)rSE StgQ -gES04JBΨzI6:e!C&4-~峙WhE4Ȝ] dͬ;}:O?IY gޡAˊ̖^~`2}":O~xMFC ax 0`~:~E6jX/}S 0`.!8 30z3a,#oINk+& f.[/Q{MI[ 4IޥU \*سg[IZ?9~o?EjŪj?oϽիW} `|`!Tîd7joއ}0?[|O ?qgoZWޗ:?OeP_:wAy郖U`` ޜ|<~??~T}{}wo*8STGp8/k\CSgg⿇-awv@w%3)Sh4*Zȡ(Q .íD .U, [j&[lk`<6nYDGB8v :/\R/E5B{]4p(袥jB?n"p}QaHY;`6 1@"O*vٔ]We yXH/ӱC/#-K8/C/SUj dnPaZY ~T٠&_GBMNiH$0ȋŒ:<Դ,Wr7UtxQi[!tO )5ĩ+,;hO|@/ 0}i l!oo >Ŀ> w͖ވr&}UPean/,Dcu8fzA+藊W ,ӧ}W@6۹ 8˦Q-\T1ӸNEJ"_Zӄz\.9"A)ZX;8BAۯ6z*z+ݝSSցDm ]>He! - QEm8MvL2d8hxJ@RA{=FJF^uֵ { \ @ܑq9Ct 2eV)il@vt)mC`Zh2F,-[CTj ŀQ|RP AH#y*]\;}W¡~4YU!mNY:kϱ^Ỿ .SʪC8No/mmb)s8/: i<~iNch8R,3tb6KSm9W+N)ky>T~ĽO_SKJ5, 2fs9;"CͲb\m^Y'8I9t5 5ľFZD3 f1A,֓"PdvtQ ?Y|'f:! 8&Vuyr9z vuSZ| ߟ&hUsZ~?=aS A"F _`C1Lcg3ҿH6V"Wȅg3J]ynqxuqX6QN +neEou B.Ek(w\rzɚvއm.4OU>jvǃ|z}.Zᇯ3TX=|88Y)o:JPledj*-hZ 3TnV,NxˡxRrd2h4ΑQg7jPg \nj2qn2sN1V dxXqw8c5&< |:P%oxZrgRZAGR_j4l/HAȨǿf(UE :n./a pHYٳ..>ͽsb:|9dqwBX9OAd Pf/4da"5gQ֌}7Ss[+%L$2BLA]B oKC=-|[ݿxgF:t&^_|AD0^n7gcˌ:&X{h & /H蔙+!鸥\>+\*/׈nXd=J8n_U"VB .p6-h5 "rI|^{{Vh-p.fR;Jg˘ĝPדA_EŋpMe\+{7 [)v@@h[{[)d _Gj)ÊOdԌD튇2`.TZTe-^,&ZIU dj'fm P^(~54?_ygLUS "{L‚@a5n[We${fA῭c-`1K!=)E7Syʂ|,4-wOkbu 5KGoo:-=e~rPlmR検umʋҡkV^}q1\zjʰ o `_2AX(ˉlEgmXzSzriXsx薷+,|*S,-BjhQMVa"0U"B+5鴣cMο:m˅q!BWVY/q+_{_52 u 3$Ӥ8>~&_Iv {|+ΞU|;r+~UK+RuQm8-<#!68(n=?N7030jpwAwWq3.Y۬|-;8`>ܼ 'lw"R6sCNڔ}s|Lg&~qR˥7]u`*;*ҍ(I DJPp<Ίr"p8CA/8^LXe&T\k1uj~ 6A[lĿ4ՔY3';2yzV8YK./"KW-: @5f~^9N&[vy@Y9Vs |Ê:pdlhyCU|8pAxtMqloM[↯@Bߗ!if~,z]>x2%$=άy { YVz^8XľUeS礋0FPx6Bw@% %C^.gj@0/Za)k9S``VSi~'JЇ Kq4 )x`\"륒u'0JܺV%)*n~z_On|~!}Z7/'VOi%' _r'-}#li*:J TyFad#O_Cږdf$obu,mE]UyzpIu-%\NXrg퐟u zKM^h"r {iu"YȇKɚ H=BgUs9wn dvI#nQő60(MGMjѽC)s/b6dǁ)!H갛E_sDk8e#/ {0W-_NLCXigSO%)DBA#cM}Un^ "*-kܸ=]fҎHfeuX[ˁJbGHs\Ф8kvo=A9 uP#1D$N[gqj*~XmEc̵yec-vu9thW| N@}ǁߖU&{ـE5 xycO|U UR,Tg`b\ kKl6Lk-#-_jt'jqVUZ_uGl6*Q< x.;,3T\DI.nuza AE(MCE6.m#JtY'CE_ob"D N9dz`U}qm쬚f+}4E IHpÈ ~ [N*N+PY;1)@ T8h/p[V:(XƃRIZjȖA}`?LrwA pE([ ˩W|82 `MJK눈ą%\AHX҉`te=?WyIbIC|"aA& EaG1QDAY vEhz+ġ3.< A`kkqsw9ċX(M@UkKZ˱ rȦWRUDߑ־R Wn{'ۂHybv=O|8𾸛XAt×ѓD|xv5Xk)2Ep]#ոK|.gkؚv$dhԞWvKEuιP֕^Aj| bkge aXnB(3MMۋ* yYGè3NVQ._V\EVq+G:2&^/h78b>|5-1u|(MKAx3.bi(ݏ?Z`~A&hk44o] fZX%F_xDLL%z_o @~d\EqY˘"0lJQ#"0Хa4l][Su 0?]"a-6f(ӈIx haO>"c2Ă,m3jp*5׊xD=D3wS/_˯"}H~`:b7-xrgy~@uQJ0܍A5)~sG/hr0rݎ#6 u*@t\:s\hd \p-ř Qi_\ yQ.XLe-KPP Fᔈ0tXz PKYKx5ɗAK RS.$ֈj[PJ7R&9\c-X՝Yuc*(bJ,]L`L%Қj_ԩ@f1ԯÂy{VF FgVme_c ~#Kl$ &+(Rئ ZcX0ϊ[upky}kv%td#0VrD̑uB%fǦTGX62N0}7ӯquY J}k{%SE hVLn2D70jme,id )G`:hufs[D Si@犎̹ٞA*¯ya?X$c6.~ X(|mIcE٠8P vU(ܲcFո &3/]X40w*yרZTq40b㔴JP}pdָĬZ_,bD;1J<ϣ-:J|L̫0qab+ W%Q0?, 3!ئ/+| ĺšc<]>t>)^~An]`!˙cnZf Fq`,``\E5IWG[|&_#Pq6r"HߤUrPRP(nć]Ҷ"Y>k |*rdͼ"UV]Bեk.9 ,cO>]^.~>6nkPn8K}~I)@=:P+S┛4_I{Ux2'z~jD"-IYE`6|x#RG}" %:9Mp+]b]g} ܗBSh[,r۫`j(ԠߠA*x~o4x>"]1DkALzuL4қzv训D"ENs$ݒx+J 7b*qKs\cPHBzE4HyG4.4a6͙{@eQMv\]w2;ÿ%>C0%1N].׃&of|'h0b]Wug:pU_InZQɝP*065%5jbrDy]_/@е4V g<8\l~,}i\}^5z&ȥ!Vq\aE88̣'uS`]7yY;|A) jeE[P5 TJX#Bi'_yu6 ?6e^daW/իoMBMCMD>6yX.j~ǃM.wEݤѓJQ^:Rs*6Q4Suugb%ps'W]ϲ,A*/| AkAxĸK< cKT1/3n,'SXyhi -twT`kK"*AŸ[cV&"s*ux5 '{e*f<o{YXWaFF)?ֿVk9~rlKEmශɈ l%/2*ucJ U씬usX?K_%I56;EUDɕu=·>ǞCBjedAk:.SsJ|-A0P͠_.b-nLM#E^V/ (Y:xip|#!m xち/|Պ7-Gk8~' 5nd&|6iP5r{J[U'JuK[nUukKZQ& @*_}e7Li/ ´CjZ/ݢuRmzI~Rk_KSKK%C{_I^\_!KWWY:@d#gz1 U2ty +,F df#[ZZeŇ$ѲNx_eQlyZNk<&Rg2S{[BD[rJqo/y=|r)Ȭ]{GmCe) m>UT+¾6ͥ90Y_1Ha~!@@įZ#H=՝gƛE^18hlMӜŃ@P﷨R:|CT8sOߒ|݋|n:w'~*f3 zUQgk:]('_J)X%b(c'0l$uRY+5~<_!!+iWrQ]g Өf_R/͂u7c/DK[ί==O1JR582rQZ:`g[)ۢvÝVB8 o-L ,!N*D}PI÷|}RVbz0Yuf}m:0#;tFvhFO|(z0@cY֘/]fl:f9;Zlc 0V)ReM___& C r>ճ5V¸*J[PĪ 9Ʊ5]!j.м\}-~Eȗvi2z98ɧ"׻( [Ƒۅ;๾j<u &`vR Ľ/?yxLܱ塀na| Z!9l|u#mƙ6e:ک Y뙔¦;!(aaēL\3}iu$|nJԀhi&wNo~,Q]]:GM 56f2ǘ:y^e?&Q_w(ZpSmY> stream xڍV]o6}")q( i;XbNLM+ɺ4٢{ǹ&Y!mRiHdpq$_XIRj%R$;(I39kM*  O RRƒ3R/MZ @ʒ,ޓC1Vd T A]RZ03T"),Td%n,bY,(ZRJp/1wnAw A,!,"!ABvX .<D"/X1F1Ү|1:\h^J Y[|daX(v 8<R=wG e pZ\NKKa}=TcRXr% )/9VI~,,)O"%ׄW蓔L&sz![̹hT_y熺 dEGE|2o'/Ԅ# 0P6.خֻ̄p_~qɸu0uN8)''_K]8XB9lZ?)| j< !du P2}2S\ЅES(͖>EOccțb׍ܜ9` >R<wٸacv| %lw~Sszg`Cn}my( ]̌^u]Sa1L:Ľkh,"Lu}2@!2U~q>X}Lds) P5u8KKw]跘g f 5NZ"oEgFx׎C ~0T=Y օYZjn&\nsZ2OĹAv=M|NCx!RpAģ_iUU_,V?dƥ|Na?[>|ET9aIs<PHԙx )IM_W~յߞ8MJ&q,>:MR%f> stream xڕVMo6ﯘ 4%EI@^r\VZP6ί}lb#ẇ)fpe! Y$K$) A?)4 0NJDIieYlT Ii1*H9i{Ikѐ)x"xݑ)%6>KԼn}SPo4Y7,3Y}}Tw[=]B:f7m= >{RzJp9Nj9|v'/H?~$@d,hDȧǕ_vo93tKW]>RU<@\=sKf]=wtg#Sk>P'ĕD?811( w\b꛺SD}N7c~Aκ:]64!ѡo}<܅f Oq_S}3X#ɮN׻i} -[.|`d!|lHcb1o5 cB}#Z6Ù#9s4SvEc@vh@XDw|5g-&P¶J.Jpiۯmc =4 ZUzQO)p33~mD.Bc>RBNǡ2K};daXocC=vHuY#nǼ~Dϳíd کySSɻzЭNhfQ۾Oo5;2=1ꊮq߿-o3բ\%?r/mrc>[|ˍ ctsdTk^>L ;pws.VUǎD;}s4> stream xڝV]o6} 9"/E,-R[_hvʒ nw,9n1 RsHZ%)%Ki YA &,FCD2!Q2%iBIE2gIKPd%NcOp&|3#1JHȃq )lh(G"N<$xd-!r*zs3sZ8qa2ۢ$`A$P- \FK1qb"!ѺrĠL`e@N ȩA S 3:R<2,td-@ Y>BJI$&@6HH Q%klYC'a!P*(WXP!qy %r,A %߰Рb"P!T Hpv&#)PlRpM p!IC9V҈$_BC=r8)tGH*aIC@(Wz?li(( (ƱmS &li((-Q٥rkT):5aZo ]|m=]!ʦ^d)/ݻm/2EYoYSPPU:ߕ!07v |;n)q_~(׼)Ͷ-+πje$XN8fEc_MIzϻf6}w_Uk]bWbSʪVW!\'֧?|]PMC453__|GEω0DrsT5VuY/"gQ劣qM[ΑKs\z=S! g(&'Uzu\ϡαL~e[uX*%|1bzN h6qS\6sYjv߽߄'V95>1o]?4۳= .S:Po8QϨ f(;zff~t_{dgk'B>' {۔qWϿG#\LRjL@=tM5r=ͦYy*_fFgϷyJaCwa&>uh^duy]  zN3>upQY#%_mU{b>8xʪ݄Ϲܛ }{Hyfι4.gX4~#HEQ]ȧ%w7rTo?V lD8.Z7 lh23)+(=;7x )#cG'?"% endstream endobj 605 0 obj << /Type /ObjStm /N 100 /First 862 /Length 1529 /Filter /FlateDecode >> stream xڝWMs8 W!HItM3ͤӏ2ms4ίIN㦑=$h@JTLJHJ!D(T$Sudm)H&0B̔¿LN&F (x*4 G OAq*(8~@5XЋCҒi4뫀Z{DI Z*=U0_E FA vM#d6S6ªlD$I !xSI !E)Cv%r XQਈt( 8g:22 s*4*f{f4'\ N8[@NiP%$)5i d%dibP)eRD?8B3 $$$bڤD4x29@FHw01P5◱3 $פR& %_'E Z# 0䟀 e`Pȍ4VH_(CPDXA(`(Pj5CAh$2AP7o\T+:9Wfc٫wSfvImUlNY۪E^e@XSۆN)3y> ! QtyMcҕi9@\T[\"-8TeX(0ۘͱrUp.ynL\ٟۧUQry*7k?iVJOg&=o͜`&-̮  oxVT)O LNYUM=&K.1WԹ[E2nPYTT=mcJǘc,墺e_b닯nL}WvE{ rgGqȉ–-aW+h0 v0-DZST.?G+ٍ[\ǚHoV0_/{lR샢o,4/Mr9\0T7G!Cvcn\5T󉍎1r,!bV O{(_زqoK@a=[U1 |}Xz8nяAIV5i{w.pC'okF+%jXr/Hp> qs5>ŧ\f.ѓw͚+4~l8?LǓ7l:<4FYܿ)Cza4pһxfd'Կ.X?qYp_y940T'Ń6َ0w-#R\ζ̭orySa1dזPola _?HYi=Dݯs>IM0-/܌>zd .2N͖HX:J'q%_p`^8~Gk>\Fxc|{5/AC񞐁UWf(Oe/9`p?np&c+m/`wgs_4e endstream endobj 806 0 obj << /Type /ObjStm /N 100 /First 877 /Length 1770 /Filter /FlateDecode >> stream xڕWr6}WLod2i33y DBZ ܯYPL٥g/gŵ, $€A`a0 3c<>ϰ9"3f"', %E`X^>~qLY&xf,1$<,MhT&,š_Lr `9NIsg, %!)r,D%'x ERN(SWlX1LWnh\ҜزUSlm Bt5s[魺5MoQ[RQ9ThsK>ʗSey1\+_:÷|,@&o hwƉ]+KktBJ N*eΧFI%9o֔ҵmnbBCu7H+ؐ1XIh~ w5..C` tBA{d}]*'/SIDhqƯ\<(<(1-6:[oLMc'fm݋G.Uupց!K'``b~]ݩ(~E@MKݕQ&5:k_}k]|ҵ=՚D'Ͼaµk`.&#.AwZanL|Uٕh8o΍zSn[v'TO<x=%d&+W|_̆Ў{ȧ$t3D=/{48~mKq| ҇@d6 V Dwt}oӴq~;)KA6Pc8~4Lt5&jTg@CnMN"QͷhB ݢ9 (ݕ/L?m endstream endobj 1042 0 obj << /Length 459 /Filter /FlateDecode >> stream xuS[k0~ϯd5HǮYKؠQh7xB[bzEsVoX@V u&$-%p=9 }.4ۡmDKjD)!L&q2)ᢁHV E$p6ZŻe*x 2Yfu斊aaAL4.k,w&byxsuU6fф--r6c:+ŻiWrkv[D_aq)@W!&2d%ԋZ 8}H.zV#ҟ<P֖%b!7ӳYa,dTq9~Kꂕc,+ÃK_ LF穤4y/?`|]d?Z/32ğe(Oi; endstream endobj 1052 0 obj << /Length 64 /Filter /FlateDecode >> stream x3PHW0Ppr w34U04г44TIS07R07301UIQ0Ҍ 2j@]CQE endstream endobj 1090 0 obj << /Length 1249 /Filter /FlateDecode >> stream xZMs8WpHB|޶d'qكe!w,m $k9؎$z^ɵ֖k}rnq,͂0be"Q0#!K !LO-&Q4"BƵgv DH\B")W͜fYK q |tз;=Hwm'X3DA\ݓRt͚a@zp=ϰY3Efљ\;Z&q\nfC\W ^tׯ7E(ړSv$eDŽ CTP?@(ۑkQ]'`N-sBɡfnhmH>Obh/> Ln|YrvF 26zbpT T$Lsz|m.?bQ113' w0 a!SuE:mT(?YY&Z;G_>2,lh3!Ά':+([//GC3kTٵ锦Eδju3cikN*r)Ji;ԐwRHԨ,k,%BZ .#QZJQ-c,T.Y紛8N.V- }b@~ jmwĆՕ;~\Sqʽ3@`']ĹTJm(3HEIRڅ4/ ƾ&a{%{T X:vo ex!>i:SZ4)1kzP8q6pI<&[&'=dt'Cs;s-[1@;QV$3o:3P< M]]Q_ƃah-MgLܛ>EHy4 ߯Z>Wѓ4\dG&A׷q["+x~?/^DPv|17 pMEIM7yw:̶Б~_8tmu#㿊6S%?jʚ?:ot pxx>d} 2suxsuAZjCa.$ĆÛIUk9[uM=q$L gxE^{CE@W'ù#㒡kbeGɶ_*j35"詖%u, G}Q endstream endobj 1136 0 obj << /Length 1623 /Filter /FlateDecode >> stream x[]s8}ϯϬ>@4t6/>[uK8Œ1rm6/`,9y3yo/^]_\^aa$w͋B/Bq(?y2?@>< zc #`>c+%hL$\o8i2`4fŁ LCo"-ycLFW4DQLBɬ 9#(o4ޯÊ9 x_Ś*:>W }pʒlZP~ĩ*F}a ʉωDͅ,WOc9S rN><}ˋԊZ[*ۮUp#ۊC982L/f9N*u-Ҹ?g4)K}Zo0_tQbc8"!x2kȮcDMr9/o;@n; oYt SVLbuJ:_r gg_[G.|&D@LOUEx1D͍/ rj$K;q#.ɾ*G`ke$fS'|I^ws&+^wpCPj]^6LE+9cP 1 gX*`ԉE#^ [ϡq i,|8~r 155 0 mu1T{Sv~/a0`ḫO BA(&ŶINEtP܎~ĘsCp}LGS"HN GMaaVئOJ.[X(-#f*CFI?|s[[z@ ]V?/|gDM t*/Hj' YnroHѪTu-fofF9n庄VJ6J:{{IгdSuQբj@WYVR _\Z2wW`oxnO3N68;NUh5]۰ۑɺjfk6]i$ 5'} -3~I (DyM3[~iC!m꒱.m.M(X L1ٸ8|$}|s}/' endstream endobj 1007 0 obj << /Type /ObjStm /N 100 /First 985 /Length 2578 /Filter /FlateDecode >> stream xڵ[]T7}_ǰJܮGE"v#%(xhfқ53 =UM+r\6BqQ"_rhjȎjT:@q̎E?bG\\,rA\ 2Rdȥd-%.bv9hlrV!+pr"'EjQ]+J#ךmj?x3Mwn]A:=Egegn90+8C—P6\ɾȎ[/PM\d -eFA}" (Y]"QeA9KF*G,$8TULA3 ɘVvjsc g(~b\,MBuLLnΈ0T0M-Rϊ1J3+*RńN[sՠÒACY }v"j80'\U]T\e 8 T]EU"jk[boa- +`O ,-&5|*G-xD[,`dMZ8lզA-fHEU cSAhEՄY.)gS~p\~s9znߟ}췍|mq}|_֯nwX_nz /6Wvy{G>~>\^6S7U3LV1Ix\ogTOﻟWo->YuכbsM>ꀧ|zm 4xzc^/6_¼Y|y_n|x~_n޹4҃~yx< Wzz_=xpzƭ~Yڜ0[fWVnkvΝ+^"rbO=|_&X=/1D ɋOОiHdQ_ధ_j`VO7W[=ۼrzE#tF>Gj-|IֿFp?| I(]..PB ܅؅\:rȥ#\:tdґ#KG,Y:tdȵ#׎\;rȵ#׎\'Ϧxzz~yz9?V?=@. gD@d=t7ɫJ,6_&XȠITC^f!251ϙ/|3i ZȚw {$7@Iu@!ի-2Շ#k(kLIG7Q5{>,6 Ke##f{c k(`{e@"F2?g\IԼQgr)sh(&> NJѶz3{DhAtK[YG, xg5M4-L5HhK#l@&𩄤$x 41/ZEAl9}i8%l W5tZVt69-hR<=i\`p8q61bAVkG 1l4jXA-ɀE"N5ˈ-_KPIAԍ X̟u ָҢea[ӈYf_EJf Q6X̟sP?* rYPZٙ@K# T32QlxiUxZ\O^"_fYŒ/qzG~xߘ5 Wm9[fypn'KT6 nNȈuo8 P %H{Z|Z Ek5 2"Vя,P[!غ4"Խi‰00$2?plYo\4f #\U endstream endobj 1180 0 obj << /Length 1345 /Filter /FlateDecode >> stream xZr6+ $6T3]$]Plqʇ ^`"Q-9ƒs  G"L!ñŏ[@W/ԓwW^qzA„P$ !zR_dO p$oLdyfklcUKDZ<`J_rKH` vAF`IB^̳W.`hju3O]Zp faJ `4okg2) }$N\&AΦby(ث<̈́`ܼ2PO$_Irr:bJͺ2*q@"r/ Tw+?srN{ҽj3Q<*15: w& u: ;;ѠKcg[& o C&uYԦp7|xD<u 6}bf.;,:kwyLf`JIO^ov!}}aH Aj8bI5$pBDD"ǷYUB!)QL"{apɅl\FOD..e&:ů\+/`,7Cd(rDFGm9ci7ae1"g5Ak\vm[Y .JvZs(gk,]wFd^1)eZBlLQ|z^(iW؀*-xXޤHux&ƃ39 ů> stream xZMs8WpUk"bo3ٙٚle=(XqÅq>,ؠǎIj.6VwBAΧ>u|(ɍNu&SKFM n0WTw1LF>#0RO|cn)-hLz/'e.>G!G#ܱSc! Uc%nIiY,`/e1nCu^n^d˺U<.+W!kiV؂h2^zu٢V}XSMNzRLB9xgNPq޺.쑆P؋];(HVLCR9x; ɩB|܋YE xNx(T,:a:'7&'0:c&i`&B몔Ϲx$'W)fM8_#vpzYL9O-hVm&=N,m .ƽ[$/K4,ivINi݀xAd6zA'Lp(/>[U1^@|x%X۹O-_}嵖07 7Vɂޢj4 Mo¡a? %3%uWfq֩Wr?Y&Eb+1yʏU>="Fd6*P$BW#u9OCOR?PPkR[IT!%#s;:@d)NߖZ6?L~ endstream endobj 1265 0 obj << /Length 1821 /Filter /FlateDecode >> stream x[rF+x x ٰf+ʩ\PB EY@  vr!@ ݯ_w̛:?:>El<7"4;.lx|=y,^ѬoقRE!-,ҧ a\_sx∯<&BWr:+$K\.;#G(z<$(87[ v6 lo x hee8pmO߃8#~0K \QhOқF~4_d.@z(_E!(J?.ྪD!Mcp' 7vT stNYmajA|Lx{%(bdr46y8w 'ylHLhC _$@NF;1pK ~w{ڄ 56 *IC]?r kB,~^'Py+2Ro[^TTWh^S^B k ȚD,zlD687C^J)n' :3 m"+k̈jd2ØoI(#qL&4K.rS{~!(5gI^i~8&H7#JhcqCrD4ÖD,9ԌXoJ_?C׊YrNl)܁܈1Ip ]/2O09D0î0 Ap~lסaiX_1x!4 Aԧ3hGr1Bdh_4&:+BeJc+ϡ Gh h69HTJוj#YQ 0YkenU3&p1wb l͋w Gb1xO> stream xڵ[k]~_EWь4v7-yhfMq`;&.ꀱsΜOh~|ʔJ[,%bo8v,˵d_FRWpoz UM뼊džgGS1Y_2ͫB|.D!4qX'&Qd}*YknY)kVN?-j>xNjjmb4-6YjX}0R5DIhsFUцw`KgզԕB<k6W 2W^ ICS9SemX@[M3tqT64`4 %%ytq|66Y>J,$Bب KL%|$h &AA T`]tU/Dr6o1Va x/nMi~M q{ӣJ:W1E4157H@7.05r9WDeB_=s*1 nؕwܼ<榞@Ƽj\={vuzWn~{S O:}WWӛ3c {á^a-eMϞ׷<p{{7Wq/no/| fWI\>'3F:?A*^>NOo 灾|x'7z+ϧw;l_۟Ӝt# ;<0|㜾OxgzͳJ5 !nC!f %4Kh,YBf 54khЬYCf 54khY/V4M-۩iV1q/so2e.2iݛ?P =|,p T㨖 FHK&SR)b|:2b m!C@Gh˴4w^@eFDj.@癳̄qxMeD3[ Y%#Z@Zi*R0 UjRU !aeR 㻻H/ZuS(~x};"(̼HAC6ǁR@)!Hdck |nmHtc krAPAT/#s3YZQEFu,<83Jl\/`@6܋bdA+gXnG)qSo!0KwɘW*;2 =H'`~SHmȃTDƴT+O@,)}f`9+ LE*p6y DV@2ӛy^3п A#OoW\<fTofV{=|cq8ԈF<5 rKiRZ-4[hlBfhcPC8!Fkhkh}'zq٩#r<C{!w?98ĽV:!+M!?{&ePܠ<||EV7!|8Z;"rF0yF懖--?9u.Oϟ¾F-F'=];N"l?(0 :2{Ypũ&R}/rvlj>DL9g#mw[9qrԋLWG;k^^A&'7LW@` 7 5# :`)2P,ay1*3Qb C XƞqnU| a`{WQHFE?3BS}y񞾆xb9Оӣ%- u[K_F)3O3)ai NhdqJHg#G\*A0*~7ᕩ!p;suF7]9sbHC&#Lc,cn~bwdV!x=,M^3={W.^r-KLV@Y M gJr-]ȓTV\ٟ ,H-~V8ǘQcA3IEա:r{K/n?7yy:w~;xf)Xf e`)kzx*k௣/Bh̡Cst`St`St`St`St`St`St`St`St`St`St`St`St`St`St`St`St`St`St`St`St`St`ӥh7o}JW4fd-yc O"1㸧6&uE>Cy@eZ eZ"iB)΂wo"|ЇAU>oL;L=66 X% s[ {[ύ83_J_91feGo%Nv[!d[mm{8&aAV8SI~L*dN> stream x[]s}[!ͮ7؉rIS.E $DAŖ($sAw0O7{u"7OA:.ƒ?7>_ϟn@ ups>12ro ؾ9dyeJ_}! u4FǏ!Dl$S.ꚔNCg4ƮPp3h0cσt0@bciMpX!EAT~i5Aa]B"HDpʖ-$< $>._育<3 3 ɦ ߥPE~!ŋ:ɳ=0-z65mK K%)ȂQ v Rmm8@UPANVX^Q6(lAEGF9`Rf^bds\27<dΧ؄i"g+M $̰ V, wI Od~p( n3Obj^%GT#Z.Ga\:ܫ$2a##)8/mS" %ʶ MYEhETkqKVaw[{s^ek%[6_bsEkӈ[vtϒFQ5KXIvy;e,￵fpx"6>@/5 ZN1Sgtm5Rh̙Nr~uOgJ.LQƳA}`l#Mm3eWhn@U`ByoF iBLbYPQږn]FF䬿-Uu{yA\z {/)a]Cp6dIbZU>]h վFH_4j&R\K 7d߉4 ]m${/YW%&8  `§2q ()a:(%3l*;LzJ[:[mӤpFIT ݾ[i0I*0#gE6o61"omw1vbS4+[wG@<<k%=Q#M.0Pr%ogy kr5? vu*~$j g(|L!vqZ5A_ml(t2lcjB4~MpɺEs:Zݛ;YX*ruˬU':+ > stream xYr6}W I-7gqLi'S"5 D./:bR$@`Ϟ=X#o!s=%[^y3E(\+-YzYb3/`L8^@QM#4FE@bϔsJWI>W{3:dYTP G~.,Iu.yp ) 0x/27cr/7 nbs1?ӗF/ ?/enL*``!o^Lc,B*l)[VaUzT "j7&Ƙ*_ȯ5R*keݴ{ ȃ'<! sq!/HDdL^ LU+O ȝ+tnX^`| <#\oµuko"VK]ΨT70#+4lUn[|^6M1 c(fj;b> j񃙰mxgʑ!M>T~C8>+bHS#݈}y=6\ShKI`1 *!K ه~R #Cgr]:0zi3E^Yf6G'\Xw ʽD ̔gҸ1 ,"X:_9 GBPP=2Gxy;x[{qF7A>BGeM!ӂA0`׀`ϡ)YE!&x@h@jc\=$%E\7e:OmK D~ 6'UaoڱEmaz:uc_:d,ᩒ*9‘&fV{$P/"_jf{҂u*h)mQ `aҗh^|V+]tS^"N697pasTy|cpkmLAýl*+o.$ IkSVAɲV˶nNs aCt ݣ|_׉i7%(w!еŻiXm&7|6rhRy.Bki)6Ұ SíEBzx̬JoU^-GΖ2O:LuNB^<Za=*I~grݦk5D4N "Ή4Q.lߗOv(1 &%L/^Q? 3cxs:GKV᳽fUHbK SX endstream endobj 1268 0 obj << /Type /ObjStm /N 100 /First 1018 /Length 2717 /Filter /FlateDecode >> stream xڵ[[]~_Ƕ:E@Ђu4̘>ʥQ`K}rREZ_RMArU$bh.*JAbZ|J(iLeJn4)C( ^ xI Ǫ<){M`Dx&MYc`r\u>Z+U"\8`y`q^,ڴp`5n7CMLM0ǥAV>x%k9zB-o%T> ju"jO9- ^Zn9ƍO)4.U!,50# =D(QcǽA0ju^T'dQ3f*dMv BjJ. \1WkC1 ^@;H'"Wnpws l%'Yҕq.9teH %be,p“)D23~xc,n=|է>뿼n^'h˟/_(^z@!sѝ!ǚ32<{.އx]=7hYZIޏD,& i@ѳ,H@V Ǒ,f,Ejq D^"2lTThM~$J)j%ߏ56/w 1% F)~ ]Ib%jEo?<>IJ_@?GF*CHLc$CJ \0Bp"m ~䧷eIɕ78()|2l?x? Duh&+'C !0*kd ?86Kp"]ff+= .B"BG9凍2|dѡ2>Jl`l=0*:]ĵA[[h?qP|1V//W ."]B+|/no._cۻǏ 0.w`yw~uC|rܮ:ͨ#WB<#Ur j<*ss`ssP&6)IMmRnrۤܮޙS9ES9ES9ESI)߯ 99999s0I9l=^'&ǔj[@Á= V0ԗt<^p+1a[RSX8H(`ZVV9#;7/\rt_9'D' 5zqH%sXuBjZ8`bS^\' AAm`e՗D xHpxGN .F_ZёS3:!> \!4:'[L5$%XLI-eXk#bWl [.:f Vp~֣eGb VK&u=~I:Fpdg.Wضv~]KGQ )$-$)ixp2/װ9:5_MtE++2t3 V,_Sg` y/~:_(4һ2һ%Idiu:Ds_,eG[#_d12԰l,6/'C65;OC(/Tz>:P1Cpe+3*f qTk; _+s#'T`sסΘ}%j±hCKNLW0+Dl7\!5!LMH{Mm,Z+.hQf9̇,Y)Rf9rHˤ\&eeRIY&eeRIY&eeRIY6R4lɯ 2$8 >mv r$P *iF BVzBgClzƜQUP8qv4*Zw8 h'l>#fߵڬFK>,{y+ g%iL)i 9COpwJȕـ -*(y9!!*\ϣ/6bZr ļk~gic䄊f7Ǚ\9ևK]e m!+."T﫤Aö+B%Ai9s+ٟΑ6֏䰦tQ dė>fOE i{IsU}gzetX~AǹØ/|L>$ڙx埚<~^ { =݈(=m` endstream endobj 1349 0 obj << /Length 64 /Filter /FlateDecode >> stream x3PHW0Ppr w34U04г44TIS07R07301UIQְЌ 2j@]CRK endstream endobj 1358 0 obj << /Length 1595 /Filter /FlateDecode >> stream xXK6r ĊDQ HV\Jf?P6- 5$|Co޳W dyy /) oU{BQ׋8^(0( e6_,8we? n_; ?ܰUؑYD>t#qW$#0^&a; K)rINg6eT5/yz5M\>n _A\$RA+'nd_=x ܇7.Vˣa}*壖EAw4t3.{ib?&/[:>V' qb)Xn -K%|]X0Ľi`ZB(ʨbV֪/ Ɵ 7(H;p5Y@jigg4%t{3Hƺ0((,D[6L\`=l)ߣİ-Z) Z::琢s"SP1u]S3m(m`]G!Vtܝܩ>A"H|RL [hl5*c.`*y F) (jT $#I] bi0bqh8+e?|'X"  vO~¬8`WKpRaIcj.%|x3Deʋ t 0$|'fQM/uCnHQպ-Ez+xM6h|'N}t,Y3b6k{e~X؂K80j?Ӫz>L㲽+9 8>%,`8j#ܜ$o"Eh[=P v]HI@y<> stream xڵUK0WF"mqE87qQӦ $.gCF݄ճ'P?:iO zV9PO$\J w.g+`FpǧGnP};8n6S1]'@KዅC=tVY/HEqN7|%D).pvjTs|0TAt̷)S>ǬEےA1NCOϝl .>TuaWM?T6Ssr$3ݶ+<u쵳4X5;r{g*P d# aΚNWZ_mIQBi1Bkx *`Ӟܱ&5_ˮ{%ۛ?@ҹ"-\lb R!"E&W%-Fp/9}8Bp!J3tΞݮ~ endstream endobj 1373 0 obj << /Length 165 /Filter /FlateDecode >> stream xU@{bˣ`J5b:cA /xjfF$26de ,Z6 [YB*."L1/3)q]h R+(NJt7CBaI8$wq}1y׼Ko]YVq8;aWڥ ?h3 endstream endobj 1378 0 obj << /Length 19 /Filter /FlateDecode >> stream x3PHW0Pp2Ac( endstream endobj 1386 0 obj << /Length 1859 /Filter /FlateDecode >> stream xڕn6>_^3nF$E=f6$@9jv ["e#;ΥI~y~zw(N,υݞv`*/vo{ݏfdg,8Hwb%!®ygCUio+dUHz=N)۽(I7t+e8Nc7n8գڀ؅5g}iy?dR% 3 $ vX=}!*vGQM.Re?tA_.=(_5-u~ϞtVMTNR&7U/ЮH<Ms 撚mGk?H\{2\wb -ƣ ``he^R!3;jLjk[w#1Ҡ0ʇ!8bpL w<>Smi=~+Uk}qw5*q8R|.*Oghds^|eW${ni8i6|#E|gc874(3Bp$=\Gr}؃!%u1V#;U(l)Os%h?N5has՗1UgLfuQ ʱ sﵳ{BYJҕ`ƊJ}C}I=QĠHy'g" u 2ai/({…P00-VEK2N9jfhxL2+7B12W܁AdY͇_P/o45/|!1/ &AoG2sll\}ckM N ?=v(#ϡ*MD{~iHAȧӫ@+ u`ξ TB$8G`,oF ~(mJۚGHq3<ۖ9+}1%,*Sk@cm?hjmPuZ祇zBp_.k.bm) ! Ko (VK\m2 K?NBxrmP% =yPDi\^\MLnkߨD8tuLܔg/b@(X1XV7 sKƌ[JYΖ>K1W(X1E38[,%EuH60FAyOl5 Vؕ=*AA{UŪ\sVň<GZl;[vD SXqDsMoW$yh#K$$K"6% Z\8TJJ5m9_WkMJ?~Ik ߽Է߽]%lm=pm#ם["EßfIZx ZXpUhpp">`3i_"n~`[=DQŭÙ>[ CcN- 6 4n`y5h ҿ",p[ e&Y?ܾ?4 endstream endobj 1391 0 obj << /Length 1848 /Filter /FlateDecode >> stream xڥXYs6~ׯېMn2#IL-DB 򈣙b(Ӯ3yǞ`:fju:aA:GN, IU|pfv0qt8^yZ7^nVʫE't婿,"nNҹ;k'p?08AXGˌGʣkT,SEeʼn/RvUۚV[%?Zu44 ^;IF<8ʕe/+͉PIr? TMOL c{^A޿d9t-]03w34et8]J"*1Mݥ2t-[!FH|YXZZs圕IrܽVM۫:Ei'S9Xojq56a174O]Oc+ɲԝ A~<.o֝$!PZIx@IF&>5 a/\2+!LYo("WT깬 W ͪx_SIBByvL˖j]e gQkc@J,BZVb"w-:UYYgP,j./I_ :2@-tQhV i+bUmzrvu} '`0[|rP4_akc}9OJoڳUhFoĤ~I q1DK${@@q" 4ɩԏܑb!~ /gaW̴̛}sXf~gT7Xp!jJ=TҶKX)DBzsFXPKFu5٘M![,votna#'@M<1Hk J*Y j+x&э%NbTJj-B#v&+(j;N4M) v[3pe!)4M>i[֦%"^6mY֎ 6_^dC3UiiNZŹԲfo,kB{"76hh kPp3[Pt܃ hX0 ָxb-Z؟ܵO9xYp<tA<  u ҍ6fv|+޴O<h8d>\!I^hy=Ⱦ/nb!%כ& 6-_3NX%_`2D:|D~y8e7p{9%pEϰ721=qz^: *u.V` 5u-y<5"Ig(}<" -q{(e,cR{CojhKb#q{U+-ZX&؂&cL%lC>}54$z9b _x8cxW P j춂:"X>?~'LXfi%r+UUp , nwB|ʹLK[ӒXc$ pQ iZnGOUI={qZ5WF endstream endobj 1397 0 obj << /Length 2135 /Filter /FlateDecode >> stream xڵXKs8WjW$vj2U[<>0eq"$U d(YLh4u|_ͻRg)On* ڬ}vvQJE7qDw&u#UYxݿ}fSKa Bz3ogIiab>߯7Fz|.=via6? !ݾȶ4oՒW/7>#*UW\:88I*-9BūVZ, Oץk7~W:0J!0)Ӂ 󚕃j`SWT;LƫhT0Y:'L0ss=9a%p#Rf]5aL/s6{{K÷EGٍ>GSm>0FXR2#lԯe=Mm-6d56 8΄@)XO?2–` JocCi= u(aVd,3Hg5>tQVUOtRv<| Q+ nf | *2G$*@!-9lqQFXd8Ԣn7}8B;8CEQl1>J "3!G)GE`< )%%@e *X-g:ؘ,Пs ܔrM{`5z,?/,s2XLp$d2V/c (}Py\BIG5`^`X`/ᘵ%(y "mʒѱ?0,9uSV;# /pmٯu pm 2S0䂪M{ܗy0S5-ZF9;TP6h'm|Y_Gpŏ =}$60Tt=ckdDD e7R.BPIr JN,vkfu eoEi@ :h/&|E5:{{+oͭzjg`CAY_!dXBrО@$ocvU]"YjPB/'.K H~ymDV7=  m{"de}4ʛzC)eBjQpͩ]|LT䬊C2 Ywax2O xy^-&rx ;U#@s@ ㎤CM ":e9VYuY8H`iI8=ἓi\T?$ 슃KFé 5mg=ZĝmOh0D(G 9B5I(tH΅ ίBæaM$#JpV2PJ}.ʲd^TADl)~)ax. !PǬ]Mѓ@ƅ2vLB￵їP\z4@, SX}X:` |?rS 8JhӉJ,F6,>vWa$+UWԝ' ¹ӑ =଻bh@3@BvK$SM@غJDg7Qi=`_Eq&U}vDU{:z?e-L:/DĨ4g'%-_8f& 2 ?=됮zMjhⰡ>y ^A}et:W9(66hÍ ϩd'<Vȯ=၈z(7Äpg"`?0{eD3ŕ=WdO եR2k^ ޶ ]a/g\,GdYc . 6ÃQ`~U:/D%t 20ˏjV_Ξ|"dHE^a+1@ ju4͛N.-ɵK8p&H{ܽ [ endstream endobj 1402 0 obj << /Length 2041 /Filter /FlateDecode >> stream xڵXݏ6߿"hi7%3>0;(4urf;m/)R"s{LRIQ?Eշz+҅"*v"a] O"YXbGa$vsiM]*Ҡ=GIЪߖ24KTJ-+v$^gRoi^V` Ti?{ bM/q0{zU7[PLZ)"ӄMy3> aj"GU 85b=-WP葸gwmM^l51L֍%>jdkT ҍ`9KGwFEcsEU-lۜ7`^ y mLSVU ދ 8TU͖:u((}ʊVZVWoc98H)mxT'cREz]w2wqrO?J4c8 UկH@H KÐndk]fFAk@ `xh{.[{5t;#adp2Gi~AI/#`Z\:Cp:X!Y9]V4>ji@膗47oq7v=c!G!@u' '{+KX@ I|f@A(\$-:5zG"4OgP40gpٛKQ1IpUqJΎ@ a.큰QV8@s۬gh :ﵫҡ(xQtc ?3p490w&ϐV9_$srsxݼԠB=r2<LO0 ,TBʋAcvX9fMeG:>G_%%DkB8{%kJ0qGa!!`* RF<,3!K ,b2"exǢܧhݧoKSmʳ+)t:t:HS XYm0 ̟(#N3i<>mOz@uGoԊved\$; ꪯ$0K6t@xv49**R.+兵慠63jX"|$'%M8ՃM<ǹ 1juFx N?;H__v'r䮟~ECofidxliS|<&gooҋn]xs~קӊu*=p rR7T`yfYҀ:Zs_vck`@8[=A0ﺦ]a:_HfXYދKP@El4F%&@[w(uBS Qd2JKzBTnxɝL#̧loy%#;WZhVxX,#! zҐ Q'ӪYYV̡Gij7zBL,8r<$VkН7-ͦ#E<.`" 0ʘ^9j$p LqQh1vk)0[߮# zn@Z֢9K'P{`ݤfmYȮ'Л%.r wf>!t>aQQ'7 d&a|.Q5Dtr^Omm1=mua]D^G+{3gJׄ2|+Oo&9cji>j=X2F%liXỤX-k΅]"^;*{kD: Q{ 荦qo؛+-W!7>_)I̛_42`l7cxͭ檖'Hc;_jk@ ={TM 9^J9_v3FoIV+4}{UtEC}socg+ endstream endobj 1406 0 obj << /Length 1646 /Filter /FlateDecode >> stream xXKo6W(*RJ-ƦbaeɐlwɒB'qvbCr^Gۙ?OW͘~fl&Ll|]ü+D,7VUgSv/oo?]h3S߰d7 CcQ4sQjv-ITO9 9}¼T.lUj7wyZyU6U/vC|KӮoo^h .@ H# MvV+\-[cpJ.3syȼXE!LnKq?Uq81?݈GNZ35)܌E"rُ-|8d<cXA1!ae ul K5eqf̨OE6C,4IO|nŅ>hJQs+ҀsC^[]` Ka"߰yHX7y[!uLA2xL Aʠm+](I[ ChMFiR]M'KZǦ::hu^pnr=h!4{q{dTȱ\\ǎFSa餚k3 XtM vY[4d[8xg=j!hL! KHτd/8)eײ( E4jM;^ ު JZ4rxB-hzjZXqLc1EH:931oUdg< uꕲie'H\edN3Ъ50[}4dcTM<&H~dTBmVP uC*-%6vQ%ֳx!`&[u6eh182}]92o] ЛΘ):}Gq?"L&^ahqԽc۴y']LYpJ,4}^0eNfx&M!ޅb{>> stream xڥXo6ŀBjVW؆u/`_"`$9*KIl9rt:~wџ/g?^|Y|vb e8gqͲk ›o_%|_%|3lx)2p ̿pƆ:" #yr 8vgIFDhTO.(gՍIhaQ-2Ua)У(5\miimnu@DtbY  !)O+%=$t5FY+H~c M.0˃8̤Ֆ`OcզU72=b`ux,C(ٗӯFU8PX$Y<6~  =$nOxy}"=2Ճ?-%Gm?NWC?\Fe9"0#y #ۘli‘4dŷAȧ!G ^`+NUc{[ذlg)B߆\hoa9Ac03܁9SOCVuKY4&}^ehf~)NQ3p8LSk&lj[`S`Jk]庺1?2-0j0;8Py-zfle*`}9㪧jJ^~.X7;@+_aTj(=f/ؼ\}B(M,YveGQ'g;`& `"|K8lq&w,mReSe@tfטm̍9ށ3)IX{ؘ@?)mQGUDjE2s;TI# 'a_Od >K1(4N!ĻԔ2_$p1%j{e@un^nP.kPIcƓZ/+kx+l4m`%"*QOaB0&]-6 |qWuC5?> 3a8 e O#/׾vZxWa)|`s{> stream xڽXKo6WC6⊔G@[4}=t[,pHDzeD4997L0Mg?\|\M1I\?jvaq6$&5ȫT=[u+.7uF2a8 H%P,N Ŧ0`h`&N@_ ԗBz|e'9]=hKH{֗;{rV.&e1=(Y&cE;eStM۠lc?2F{ߌL (ݶUO65軪Kkݪ4v,e1Lx(M-;*Uu,hIJZNuzgzd:+l&ZݯZcsm%uY` 0gbPJ>W#^^JE` fh,U*.\ [aK7 `xƤHƃqcDlxF|v-}LxH,8=z,=>OS!zK;N? ;?,7430 Oչ8dW^;:[;v$:0z ˲ CD~NC뚅nKjEktwmPڊ =ѾZ#4F'JPFYhE.eN#:fWֿ]S91N 9!!CxeB)ɋZH Dp[IhO/ X2¶5H&IU]*3# ֔pc5+I.CY``+=b0jCgԳyۘfnIWjnAİ:`ʹL_uwnWZì@eZg&~eUeO%#'LvyX7r:8b ,H_fj| 'e"d_gRt'eG1FC`!e+a 0C|>lжyslFIc?2tmtJH}!> stream xXKo6W,Cňh@QàvwCi%YJ EO$Pj Vr}W+4HaU$,zD,po>!a$=X2`Jhs.ڼ*Z1J ~b퇑uoL3'M㡪iɷ.҆.7ى낶V![LZL4z%S8]40ػ_" -L7n!4.ñ>@U)r= Tv7.uM[X7Jñh6dqcΝѬ:)&0S0 .Sk_A/eڝqKrg . :3g^ &*mq:Z=]fƺ8lՇ#b!mDwgZ{r5aQx 2)<@!R@țX `U<)h$0'2"=LIE6sgq?)Z)PCwq>ߡ+w*ei$.8KFDx)BSD<_&%vނWv#v"[H9Kbw"rG]L?I)3%^"CĆsjF)ܿ@~ҷ4w\Lʝ8N_yïk;T쐗 [*}FFf/!!mmvQϣc@8\ K(ZŒG6 k!&bViib3s6,|0%o1aq HJ{ AU("Qcڶ%z{=Xpvmk'oG[p2xq@eqķz,|H!i+!HmŌb G{*Aۤο!c1c "c"VLh* -.AA+{lGS> stream xڭWn6}WCZE]CӦ@m02eŐh';áɫ؎x3-F觋gW>1Mf(G7u 棿XiY'sIOR@Zզ8(kg?_ݳM }. |=~RSCbUբVeJ.5J9uZ['a⃅qI[[z|"LQm!V-ξB~lbx0Ц^3=&߽)0g|sCQ&as0"$̵J:P,]ỳd@~4[1=u1d/2Ǚ˧pRӂpo.9C#p?%cƐI ?n1gURh@ʌiT*|^8^PU@蓯S!* J,T S1s֩|lǖ TGHb.uj,%! 6ذsbغٛN*SNGCWv6v׀hU(j sMͨ /33ei7g;)3) y~pyC8HuÀe=>\ xL \ ??`}dhhɀ4Fn굓GFk<:siN 4o'F%U%EhIhJX-3~,d[ahBju%&V&xd+9~F1BO_*a:N<|&U,e嗢}Gv0߹XGgپ/8*l} endstream endobj 1427 0 obj << /Length 1632 /Filter /FlateDecode >> stream xXY6~_al_dP$u%M^)PE.ڇ$l J${wpH(g93>o`sğ]fE5|j㟻[5Jg v}DQ//F=D” )P(O偈}s*S h#vc pn`^@Npb= l7|o"5qbԚZi镕;ȊG#ck6ue(ba9Cij"f &ÍFvxB H0}[}XjO5PњNjGT욝ydmY-2K\;( l2,|6 xI8nrXz㎈ 7n7C>O X$#Tmn*_ぷ+ W~,Έgj7B̽kvcO}i""oD|WIt"TU붲N><;i;۳ 9okHHX/Js<'2V[za83Q34u^e'=e}CG8x}aJ~R#S躵U^-]>ϕǞj)&{Vۏ)v= 1l^/Ϳ,Xy/tӢjpIwrC \yA0> stream xWKo6Wۋ])%Yf@6}\b^łi^;álɑ )Drq8b͌;jyu}ϼl|ca4[f9[QA87w8q[I Y՘Qtb#/0=22Tb6뻀^ G)ml1Z4Ff4b7hL~EѾQek鳾-n᳡WymgCYY^iy"j"~cħK^ { ?触ZK)/D)sWwOB|X?#G77TÂxz/(K{C"&ݛi֪*xoW* [w{oTaEF깴ʇomUm[e A%=Ď' 93 'ʪe$"C7 *ܩjZ  1D "UziSQӤkPiKSi(} YeA6uAiaָ,vu?5n4,K:5'v LNUUW#̣ K-pҷ_$ (аjVg^@4č40į:zY>xRy秮XSJ/j>$ۅT/YKn][U'( l]IR*xx [qˑUsWqH @STWSMWʹ3d IkH;*%((MbaMͥ%=(Er-)VU,SbЏpoGKi^_%ݩ>ku:k{5}߄ Hݨۆ/G_2]W?4~>B>CtS4;MI%|x=`ArٷߧO Ptrt?4/w}A~ƴoWd endstream endobj 1439 0 obj << /Length 787 /Filter /FlateDecode >> stream xڥUKo0 W ̪Glb-a8nU Kn?Q8$7?2,,]}ܬnxpFKV`q4 6icyżM5-u%Y&ߏa ӂf(S":9"t{[.sbDrY9͡aĉj[Bt=# ^L=hy˒Y2%:DXƸK|}Y9@I J&< ",䋌<0 Sal:ܻm4Rt3'dmz^%~F;y~Ѡ8%/O=*){C5l^>RQ$S =g(*g1lwK&tjD+8#c=,Pp3䒧\ '\pz V7fm옄K:I+@11cTB#)( uX_46ơ+^_y܉4fv'@ClTbhjQ2r}=G$ x0]Ϊ }V|ɬ~h|\dk 8.HT%a֗߉<؛S ]N> stream xڥW[6~_ԇB5b!Tmv۪6ojĀX3H{cItFdccz;/~ {<$alyIORoSzoA.XE)YwԈINU5Qa(\0R*{%jܣ!ADY d*QKXM־r(T,LjeF3k6-uEhhL8a֕ FhqB \R~>un| xJ^[ۀmsxjQCZ : Njw r%J*ƍTRi,琇`([{&Z шVg~C+;Sx0%V)6DbkeFy ̺j79="mb/ %Ƀ[M^f!jVW(ʨO3v!9ڂ`}4k4hAI$ S EE!Kv^UG܅pC?i]çB88(HCi &E7pN􌑄eiz{(N}t.bN,qHl PH@GlM#PSW|9$&)OcP%:!0f\K]lc ec#SFII^tK~/N)RV)#|AF7C?XNkp/z!"w(BݚT51sr)S00%~x+W9frg)Kb3թe25r\!L:NƛHZ g{x<* L|8.f )5; '12}us. `CI~?y̢ endstream endobj 1447 0 obj << /Length 1743 /Filter /FlateDecode >> stream xXKo6W,Cˈ/QJ-`IZzJI@|gHiڎCѓ(r837CY8gThH0L c 9;_Xt/G!y8(Xs 0d2\ϡ m'v zthʭϯV l H bXj}Ti~Ț,0 hN7֒pӼNE^_hC#8NSaZ4Vc/=R,޾E%$XH)Idd7bv|{{QH_kvQP^4]Vd+ wHXwL|>pK<cbP>`>oc>sN5]x#=bDEIG$#;/j]5f{988%cyy=%1崾!Ly4>[1I HdkO*"ST/xw*ŁGG$aznq# ;i)R]S爥LYAM;A(hpT,MmirA,tq _YZXKXWzJ/"B)?E٤/"*u+ymDM{9jd]Je %j%X v <4Ț]ln49+΂eeߚHփ1NBAgWCEpEX^[)08ISiJu_Og` * a%c{/)s b` .p :Rw<$%krhǑqũGP;aݵ{$!æCQ{͟ ?j/'}"~v)J勃 yWSSzʾ95}m_10UDxޞ̠H1kO`mmEHZ]ҠN Qw,+'zg+Ed\>PS ˵eUn슅!*m 5yCq0F0x5S5pOW5pvWli823uqT ~Ȏ^\V242l?pu h1LqCFW804,)p "'k |u5CkҜK=N\$]KCqHiJݮar]zbTv>$*"JtŮkr)bx+mDb%PbB#yO1*[C=\EHpV@Rl_PyZڥCeB)b>}C) \$1@&_b#Mz8iN1{HAQq5˺3$:,ԘmGuZ*qk0ƕv`3I tB 9DH]"MmSEVml0nm7[h3ʇ޽z^ڗ=ixfhWmIV\P{ģcp{Oq/_ rv_Q^6F&#D5VC#iM:0&)|LIL7j2wnqd?1? 0%ݜY '(Qp揖`<-@{ :lg uTbPL"~K7RT endstream endobj 1451 0 obj << /Length 1832 /Filter /FlateDecode >> stream xڭXo6_!t%%RV]bŀ60EL,̖ǰ?~G%K:ŞHǻ}(\;y7y38(IhœNDcBpK*-^O^|%qaSL=?v۵]s 'Jn_2ѕED?DjzqDNB5ǃJ"t=/\ytIx-EW!HVn%NW8fˈ8& *efw8$3H"B*+r>Y}!7z(Ts2 #VUPY~=8K\Vu]! yhʊF^g~C $B=y W:Oحd]+89gU};W Q8 a" 톀>π|9vGs'=bHΟ擛 0 LL|;Iʍ JPG49?s`$JlzcQdH{vUUQٛ/+%{+ޏ)kY}X&Jųc\tnݯ&z5_HZ5դ"q'].MJj#ܢj8/Wx5b- UVdҔ=Ny2b{=ҴoPI5xݚ X*eUZw-[]{VnhB*捩xHHtќ=p"/LcptpW7)N%8 t]_YS?õ YY5:\! Nm}=%u[in$88Gbr &O
  • "9!%>trA, %fTS+⣊10 `n`Z": LՓz Ap|@Gz2/ j ug@|cC=(QDR5X7ZF64Qx E:}dqc ls xp,R]FlȣZʪy=ð 4!Lu"j{CPʝо:ȵ%ӞVQsbgqg06ʻJryuNog糷>uH_8{W ;'͑gR czHWs*jR?ORgZ<7&Ow8EF][aQ=t'Fk? h endstream endobj 1457 0 obj << /Length 971 /Filter /FlateDecode >> stream xV[O0}﯈a&8)c4MbL Mi㶑rw?ߒmEڞl[K˶ɥ-8tahid t?2%Ms!(ã&0Cٓ^r,\M(RG5U(.i+!fLD%F5*YR{6pm!n$ t*z)AN~mBd԰~>6zaR0'g7H)~%S%Y:\QaB}UU44)͘zʪ$Ԋ 뮮9H)MgUiV"LJ&m6YMLo z$ϖ 76qwRq@תtOGTKtuT̤yIVfc/6ٜ#뛋oSM2<ƞ BxfrVRe:m#k"sB5Au#w]jhA{ٔ+\q&.EŎnA>6Hs8a^'OqT_lE5S +z[$ʨ֯\b%/;suLӵ5qq^D$lcH?! j LJMI틐yV* 7z!"8 !6Q\=O&ׇ%Zmr}&Yg}uh{ͻX=umk/ 1^g ӺרRPVOgU!23.Ȣ~*> stream x]s6=IBɵ7ss:CsM܇Nb3Zဍחղ߻ZrW;)K3s$l09qm=? CW$wVT/&-,|Moy 8a' (%0NF*s͂kG̘Ћ\J[Ɣ <~*ºV{Bء fw[6g9r7h!_(0T;{>( b"I BQ˘[~xdC]);#8Jzac̎ ,~PcӇn Mt`ޭӾ]V&J+Hӑ1?RiE륪Ւhʋ˓=sK;ϟuj;4Q⃽ïVJ:EeyN ;ǂS6ߏqɏ83 h!;pjG2z `7`@#n4{V2b{ /9ifG7cQެ%2m3:%ٺܿ6Cxf}lai̪#xao7{tI"ѡ+?QE^Ql5yz44qr:x/e endstream endobj 1346 0 obj << /Type /ObjStm /N 100 /First 956 /Length 1827 /Filter /FlateDecode >> stream xڵYMo7W%ï$p898u$C W2ʢk f!9|ZVe{bH"70ê`TJ4><\ܳe VzmKsi?XeL/m(bs[~Ɇ++"t9#CE eq 3fE, 3Ef6\9lwQ9<## +&Ubc@D30R}l% ,!Ib9d|+/X:|̹|NJØhĒ"E^YqrN~n#odImiAFy)Z^#,Y&R$,VcvXddݘC^V"g/}9dGHB Xzʰ$QRg&VΠT%~For;!22%Z/K$E(`(y+Nd;ŒgD!;&_r%QK, +d -YI}Ihrt4i>w3Ul6_NOIz<]oy׼9aҼ^.y Ȓ~iX#vTs_y~EëgBz5? :A8t^572V?NeD`~>˚9'*O9]/Ϧ^5oOTacGh824o0t^};[\No[6+>|uzCRs?X5+!O#G~$жSh{ekc+fɕTdЗ3(BĽvsXjd9 I朶Q 1?7Nb=1g":Q[@xP},CY aވN `M䃎.AG%ᴏ6)l͚NoszorGù#"їIrG>oζe#OQWyUҪ9>:*#4EO_˛Mw=v/͋=z8&℣ISr IƲ?:lquYlU(8@_NYIwȽMQ-d.\;:1V'ۣ7YsY nx&$b>F1"1 D !k]GMB=byf9]YR_xF貖ZCӃa(ۨGtD&Գ==0*& +d,A:`|8=[OlܭH>=%نy8KdS]lj+ 61юrMql=9cK/Z5JJz^jk=vlcr/sCdC;HP$ ]rw]'S)l.>(m}= TSN{x}vufw ^^BެTbmC\dƇ*Ꝯ4X*5 RAR{Ѫ4NAc6u{0>Ր0TZsHcg(zղ BV^ U0fJur TL(gsrJi͡~u%* '& UQ8SB+olҩ\?.e|Z~/ߚrtwuyjM.jZ\LUQ.W"fߓ Y(L56$Mp? endstream endobj 1467 0 obj << /Length 1398 /Filter /FlateDecode >> stream xX[8~﯈ؗT43b%J V+@L♉&%qǗ$Me /cslGW={MDD0JqJe(KE!fxif^3/(mXm|!`)mA_ɩV߹ٷ=U{X>*7q\; \4Mu hs#&QRIG 7M<#Wk7xnM!\'+ƵҨ3(՞ԅx8O)N4+ؽn}G$")E4! Ff X`KэDt$0:R ""bX֯ 8*jۦ#|mUוM힯p'acoQʵ5{Z U"Ohm x=\V72 }Ps! 75  mU^~ĄxeB&S, `1uu7_)e5{};>ﲪt r ͧ 1?Jա@8C%cKH3N(1$lCf$dqرlnD@M74>sfj`'6qiU eSw'*$`*)4jFFh\Ih7(1B.(?5e,B9@#ԮC`19=5:e*.и16XN: r`U>[&hI)yV׍e )*MM;"_tn05vf[eZq9A-3 +7٘MO V O1!k̖7)n4:ӻ6hZ.⡾HВB# WYkYS! CN_+vڮ*ջza'9O!f|w+<{&C.b,h)e"kM0Ǽqin{[A]=&6X41&0nNJ$^7WmޘcfmFhX\MQ榡]S@lS9!ثMg(I4}oJ0'd8)qcwƐ1 :j1gUe+nL\Ӕ9fxkak6 ݆\l؇ V~J?!JnVM͢I> stream xڝXY4~_KZx;E -  vB鎧;R&UI'=%Q.\e98ͷۛw2p_~8GKGcvMRO TƓ%t/pϛ6n|}D=H l g/ }D)_(%Q[ gwEu*ya^mO݌g%\o$}NmX&8]R;7AXz7-OxA,R_(D}[{Z V! efNɹ2}ǓRD۫jܷ;"<~oL@<[<Z|Mi*S~[V_ۃ=H <%a"Ez #7_;?MCB/16! uj6uH7?}JqXog(ndx,$7? Uoo@*)<.)i 7mk=1Ɛ5fDk7=y? שdW=XGJ#2Ŭ2+Li}3Mt_(0invh솢dX'L-ǂ[sPa ,j?"jcxi7KЩbHb1aAQaltRJm}y^hQ[uDh0 ڗI.5 HL݃"@@fE}{:VD"*j*0X'r5 %T? 훡iCdz bi-Ia+4RKaUWU[6(3.+Jzj6A+ҭqf SnMi!9.D"i(ഒrC(`PK"BWX`& VA-=E}ʰgQOH!k8<Ј=pp?S|`0!jSwzS |PԂDԾZ#*ކzj M&ce{H؀66:D8> stream xڽ˒۸JrlY468T%LUq01H-I=|@ff8hÍݽzN)JTƨ#Tn$S+W.׶eUtvL$ z :].D2v l[Uow2q?# [7ŲC[瑺?NM15!>:d =0h|`>ZttصcӢ熣ácOhϭq1B'?0,S9e*E5HmAҤT$"O>VƮ=bM72g$ C-|wFSl?g#xeI76{%:+RxH҅#]I=#?ӬOec*e2xiCþVxY"'sD"'L;4 5 -&:tC }s % 4wpC`ʬ*C-GMW[(_"}Jd0UhA(6zgL8@ A#rb#YmWzI3"Ctr} f$dWcA`b#G:rzZ0WJ-ޟ|`XϐYig@-12S)RZS|O^wt)X^B_X7#e*bm2liS$?P-7XYR=Xd?XXd6RB8%sVzk֮^leD6P=7z^)i@Al B xŒ&Z6!p3ϳ*DOǖLbמZHQ77ռXBVL8J0㺆_@ dIdVTŸ?EoNJ,sn'_ r|^:2t(ʀj5N\%:5C{X=Z T _ b! ~[c .G`G|;^q2ňgddE.b*~5~$2pWE?Cz ,ȇ F|9)Ϳ^Ϧ(ߐNj5yqv" U*/V3H>vx;BWlS8~S#QPVE+>jrrgq(Bcu:9?+9#jZ`2 XRlRbEG$ILDvϖ&1*4uj}xKr+Uf]ϵi e ǹ¾\̷#ab]a)·7ʱ 2|I6Ux ?gd,&KEWx/ajMH\ؚdnĵtl?44;u O$'`?ާ@ t逪`ȌB.E,59 _piDS<`ZU r9`B|HQXzB5Y1zQƲK㉈&a1듕Ej2OMm9l3Lqy[4/s5gu;1`V{+c9k?aEMH-*)1lM2hz}.Ac-Aȗf;Kn)ѻT]w շsWO=JFn 06.?q2G/I#wi~}E ^J1І;PAISAC!j#όG,deО}_=vwbg/CK+~}<-OCm˳BLUKMXи`a~m'$R4 endstream endobj 1479 0 obj << /Length 1474 /Filter /FlateDecode >> stream xڕWK6 Wx&y[Jm3C3iMZ\L}A%GlO|@(]lË4?ܼg,%J1[hP)#RM#;gk7xBiOIFt\)cnl㧫bIB%"]Дi+me̡ZgEsT NFmܶ /g]rxfcߏ<\61{3t ʂ!9S:[22:\"#D䞐#Oh> ZfsK.t+L' J8ۅ >_S]T>@yf1.Ei%$~> 3=<0fcpmy|xP_BO1' ׂ  Z?\<Ð> [ sì`"5zXcŮ2c3 yܠ ̲]!‘ܘU tSc/> |B@QGt,ϟ_<2ьA#f+e`sjjA#{ INtən^C- endstream endobj 1483 0 obj << /Length 997 /Filter /FlateDecode >> stream xWo6~_/2VHG ؀uGCtV qwQ(tC (}&"ѯ?.^"$)II&('EBV菘ş.xSq-IrQR"޽6{Y<*2K3GiR e/q38%zC"yv'&\0I4KJE˔$-ě,VՍwG{q/k"^IZvbj/cZV~ui<7ޫʿZ5qJKΨsUU/)$ tx)K[iqks4Anwuo`@km:+Mg,׵OZR/s|ݰZoq- 4 ȸŗ.)  ݻ2U/P=K<(4Ij|݁eZ9.ќ7jUv[)B{5踪!aE9/f>Ʊ}`PT>|aUYh TUdal8fp^:!njmǻAӱHR8םmee{6Uog^Lg|Oy4ݳ~ٴkmUg/6:.j7@ƕ?kd'[ ytro^ᡩ}]ϒBaMeu/ endstream endobj 1487 0 obj << /Length 1188 /Filter /FlateDecode >> stream xWKs6Wp a|NC3q[$(Cw(Ҧ<'"}|Bo_gnίhH0ަ2eᚄqmJ_ˎzѭ(,[׷ I*~+ _^&S8Ɉ%Z,<ϯ"6z$Kr a߈Z?(r,PJĞ-@ @ 'qT ͥŝ9slQ-a2w{I?ۻ˥ c$pEaxBypYDlLlde$]rR}lm6v蔰RZ7U&~yصn*PoO(@GR| i ɶ6dSC)-JvG.%i`:[]ySYdޔ}k ,"aM[UJ,/1x  5W Q+;K(RXJ+ABEL&Zԉ':Q^ޯ@x#SWlۯom# tBtOĐn_hifxVmk'Y6A&˭9D >KA{lsSW?bDig?jkeo=S)}DMLESZ)/' CYnd{I}"8!B3]asܜ`А%J \t /x'\+y=^ϛ,%oQUv\Wk8?a VgI/:H T*1%^`CO,ƇJ<f͡p76b:E9ZVL$Iʇpw2qAK18ȆG/Xp i:t/\1aaw72j;՗݄I89ǁAq[rM귎M?yK򎮀W@ ]M6 կ)UKe ( qG^9L/ÚМ9mvw%c8q. _DArW5 &QT!Rշ"ЀK; M=BlܿIϓ7[]X`,Ĕ IY삅SF͝؃[۹v17|*!#Y9#([~ݜ% D endstream endobj 1495 0 obj << /Length 1645 /Filter /FlateDecode >> stream xXKoFWȡTk1|ӊ $uOIaŕ .iٙHmE1;3;og6`a: ,zG<$]/^,hx<-%~5_QJa E3,w[ZVE7 s ^'č?./Qm.-ee\˔VoK$t>4d"cOԵh%N4eת7kVv垤Vdo!aR3vt PKA#+%J`ص8(Ldr 3iܢNw:j{;l zz\a)1Ou+q DDe`cOhjt EUxq( |3y`iI߬9VKb'j·*QD[8˷_X-'nT =-IlB2 æ6VmyfKo5Mzubt07p-MK7HI{HogE}SZ8W)U`cCe/nw) 80l[zߤ]{8lQIrZD-hK} ƼQ;5ks9C<ܹpqNo /wP)-2pp D>AqEeYGOkUBY"j cź.3 F`@@3( Lf=0*a%@idHo]ۦPr(t!at*wyG^NZ yC0MBX'vZεqHrl2Iu+Y!V &r%ɑ~ޗ%-Z5CCsd ĸC2m+f"(Mã ji҅iYnK= ajSZw"xW]+n5=)-p#ѻ[]1*a1He]ٍ .th.5~ݸpO|+snVh<\/~8B4nO^mǟuc8ԓs #Z7E %I_U(j XPT(ǒdCe3$b5Ӿwj/9)+ #%p ۺNIiz@U]2DKRu%F~ S1TN5 IyT=8#1F5 sJ/Y2OĚ݆}疃sY/ ~QEs9ECVC=k| Gƞ~/dG?^hX&ZҠ= o"~H|%" K[ìeJ3z ,D00Y1 svF[Ը8M~؆.`䢇K&k 08}*[eއcL54? ѡa uZA8G%i*Ij;0' '=o#kSQ MN|`zͿ\? endstream endobj 1500 0 obj << /Length 1771 /Filter /FlateDecode >> stream xڕXo6_E}XiW`n{X6@1E@KLU$Ɇ;)D;~T]{vٛ{<`YqKC/ ,b.WkU;_!|4]VEι }+Y>{(N(]h>L( ‘/D8#&&P{uZU砄HcopTy5ux-B(2Rå_ߴ!ku{-Kt.ת/EOAkٓ|qxHC4bI7 䑜D6frUF_YK~Msݗwf[Fnkp/n츦9'[-WBgp0XF.T@`̑MIX7۲VZ wOTK[dl^|774ץnȧXe=\.Bnlz~ә`&}a$[r_>:*fdtj,YdW*/et740KspT%lV&wDsM0 =sG O@R_Y57t~qowDcGr~{?^<ϟS^Ʋ$Lq2gc: dq8/3&D22^ 8u}!Y0~<J}6yx(G!o s .>c>+vBF;X a4 CMU|6`o;ݯqFfo0$גt,쭄J"1ᎺQd#,;|[R]uܠ[*[ D26\p,-6 )fOȗ8X̩MCn%|+v &Ǿ*BvBѪ+\|"xtF\ـ grcP\JRSwZ?ySC쎔MB&bZwuw9(_ C]îW>U<pN+^Bx cp c@^^.>^p8އ|=zu,SCz7V%&U:hmZd1> stream xڥn6=_m袎d` t) h-6[Yru8I3Jc1}۳6g}qyug﹙rm%xEZ;L.4SL= =7aQ_8,`v):d? c$CEG%̮W\#~׊r M#smhA:.&kFh jиۍ6rC7 A*noݾԤj"JhiezŭgV/}(d+݋E?d\E +C%ʉv$~'> stream xVr0+E&i{h\|k: Ȯ?ɶmi>-ow' Z_'# AY`+#}bMb}`/y 0s\BgqR9$l:'?cDLxZB|c Hn$ v>{摐`b?BKΥEsT-X䱊Y'XT=EE76'..GJ١ȗ t(kUo@> stream xڭ˒6L.dzkL&>}K2;Dleɑd [j]OۋHx@Gl#>~\^}8˵\9X;o3)^}"I膈+s(HbmXhwK.[,z(uCX,\9B.J%T 0Pzv8b`kеd{Q@VZyC6;b9 ÎލpLgBݦ-!Aʊ~oPUZӉ.Z3BO|0V9w#U:TcB$V=Fve1'69@+VفZ<ϪڭBbf7J%W~},S^3\ׯ: j3[#}~czH|1jg<`gݎ ^L[^Sᔉ 3T\P =9͑征辝~oJL#=|yEv/X̝9~8']PNp8Nb!#C> stream xWo6~_tJaIz'U_}Uwqbw; n\ՇJ0_e^3tP>WYTqUS򼈋,$.y&J[0l.b,8ۮ?ˍ+6/{ѠnbH |'ݶ5]7K;io9Ү#qt>u ʂ(Mc(j 28]ukUF,2 8}yUKYnP2Y̶(IHu)`VYDD_\*HEݮo^JQLKAk)a9c`(92ٯJo|g{j֢\5 -@w'ƪe@׫9Qށ*"}.[pDDT֍ڐ=՝xx"3!Tp"bА~,g.&̬'˔BM kBS܈;gf#MxO Olng}3ws8pf@#$)-|B+ Kc{YB _^RuM i##?Fȴ2 7#wG،N[:OoԡzǠzʳ!HOqO rɧ0'ꩃՔJf|:(y؝li #䁾WIb1/yD \t,f<d M@~|>\\i\X/^|sȳލoP?YIoNr*,8<*#8<|/zFY*0gpvn/H2,LJ!(3t 4ӾXY_5^=8/|]f]WOH1/=nP EDk@[ SM x}/lIcы:t*z(Jwj=ts {=aTXZ?5M#nqu'b endstream endobj 1523 0 obj << /Length 1111 /Filter /FlateDecode >> stream xW͏F_CA 0ICJT5{" 5{llX{7j՞x3ߺ|w˛Yh1KY˵s+/Bk[ق;/?F{-&@D} |/q6m[ .*'`:dN:CNZzYe w6%EM#s^7uITvP>Uj=qb/7rO  5ݶ5Q+Džk9[ɋFfjTk{Uc P4UM) [mPy l{^3% :.K3!J%Tb0'>fPF*HV/bo i1qC>IIˮ.*T A Px)զI՝T_|E0u+w#:iF_*zC3{ݠON[x jCKt0z~FvlFcVp t&/ݧ|x_8fܷWB_2vmcMe|5b=b"+_ =. BW7 ܍ "ҠR5JU~}Raշcwآ'>T8r[òp.G<>uP?<(#݄,=Nz ?eYծ -}=id`SJR\4 ,Zd<3(tRLW>?XlϹL!O˛,o endstream endobj 1527 0 obj << /Length 1579 /Filter /FlateDecode >> stream xڭXK60Cfň/MAe"Z, 9,ٴzs3d4{E߮~zHtv%lDDBt39'0ITp0e|@C,7%wM1Ϸ2!!wͦʰa=IdD(J (׺ɻ\hh2`&5W#Em&LaTsDE8pˢgz$&tngκH7j uk_ K,$昔)y׹bt`u:YQ`'/OsgCrdue5X=VAugc05\yo6\iinB 3TCDTp2 Xtu%|jN4`(S#k$6僓I8b:(V9d(mna97@,a'@ ^trbvFV~)+޽ nt`9:Y\:%1ݥA)I#獕1ut1 [#hS;FFƚn l;$c<8jG|\d|H/jRb57Փ>mm#c]/ѐ ]џvj"Hc}འ(8ۻ$6`ȡD0LG,&垚cr8Qv1ߒ^҄PNZPE;^[\֑B^oiҡ?Nfl,s)Wm/kϦP{K1w Cy'PP&ZhE.wau{m4hsS[SV8BJ'P82́4ƈ4?%ӼeWʎrU jɣmPo< c4u u 9ssS.eu]|^)Q;``W9Qe_ʕ.X"%Q2dhw8 +Xbs N qp~ǩhU4x^ek\u[ՎPsA8"^"fLg&n e Yj侢x7eU5 +ݫ'‹e%f@n>ד~=oVC2.w'*[iv?HDPDySБ9KXqL"_&$,>+3rƧK`S@eՍ1qP @觼ڶvvxtZ` /`No٦.v}`ڥgvTU*$=@=d-"93|0)১YHϴ677Ad"q{2*|^ X?Sp vH,u`Eצ@㉜e+6?0A-'P_OA[ழ1o3W.2p8( ;p0gk3cb^LWiMT3E٣ڊ=+2qj܌㱼]E4R{QǸc?ze endstream endobj 1531 0 obj << /Length 1417 /Filter /FlateDecode >> stream xڕW[s8~`♠"t3ۙ[#l1d'M `ŒŹ~::;ZDC}1uV' ЏυJo. j|?cVMwbIݬ®=N5r /wfUjJwYf=~ht4L"KOGӕN'AHbJ!1PP ad-[2ǥO 2"('nS걍&mcPJAʊ&C "ӨU%U$;5G$d~?ڧ6ǥn,UƼtEm @L0an3+ c qDV2Q?AJ&8@Z_y'ܼY mTh ͜R>n^iʎk`7fڙ\"g#tb ԅ)[K:ЉxxzQIH:;C"ŃfGv hFp:Q']UsjgQi!3Ț1&7,TXM AcU{f4}wmMIm*z:ih+/F+pHnTԷ'XEY=$pK):\NƇ-bp-[#d݅i{(C{YJ o?2,`IuvבV5zbI 0\ҴgEe>$eB߶HNaSz(q^3%= @@Ӫ4[mrhƚwq#UU&F-]o\-['P'b9l j;I aq<\j> stream xXKo8WaebDR#I{ַ6(dUȒ!I;䐶h˩lŞp o^yQ$ 3^¼$LI o<>|fp}NFAd>ԟv-~oe9zuqGE}$!r": >w<2,VāxHOMS7?R۬1o|Rycդ^W3(EE\*m& (%0nykFqt3=&cuC-?=E=.ǼDuLq-SN4OO땦$p:[Ʃdw\d,pXPdQ0[k7\n„`;w冮D:U暈lE 7fMTHƈqtNy[W8V8M!W*3+T:J{qԟ]rբ#X%p'HS$M}j;Լ\k'ʉLUj; 3EŅȞ9Ȭf:e VnqSpc`ʏz]pWSM15|7 GoudXCZWmEmoe]ջX(h#Qߏ;GoLǁX)Z  fKHr-5:t9`WkuⲨ:Q\8>`DE"źP?cOzp[^7{:=v5@ Op[8bo4h{^D#r#e׿uםD$eJ&,LJZ.-MmYg3 &!p6hAEG6806JjulU銺"J6$[iZɧ`[RL2lSlk!$oN׿ ^ nӣ'uu3ŒĽW?Y%нL7E^Tj%]'ym0 vE؂sbÙ|^Ŵ . cT f eXV""qc~C [[B䰇~3ߑœ.32sK ydCy(.ۚdžBRK0Emc۞fj/:!%yVL-qkVmUqJ6&ש@40tv+Gq O7SA`n$^@AaWDBh~%!?9Qx78 ! TGWm<=P',#<}_q:xG1u3m '׽V4# k e?לombW4m*N07:Bi|\5j endstream endobj 1539 0 obj << /Length 1599 /Filter /FlateDecode >> stream xXKo6Wȡ2ZsER$d@ t-z "P$%VkK%;!eɖc-{1)r8o7t8{_/~xY&|vs?3bf˜A_o~ YȐͲ/d\e3_`TIh-Q\V@ҖYs/fmV/uiiY=ymsǢߓқ~vy\29ʪD|L|B1F;`Z7:8W`ܪZLOǼhoK(Լl6+5$i( V(0̍XkdΖ #ǀ]SQnq_TL{ MyC1-Hz[6]PϷǫ))\L@Ο/rb͘%CʑH hsgSBGL dnUdzA_O'dʲΉhǼ=/{~7ʯG,a%, fDhO1!OL|">X bY=knH%e [tqq,g -r,43qv2QG#ޅv0* rh*YR>,$x58 2Ǣ) kH ެgZ.S%Kȣ4ҺYVX߅en[/2<{Q2Uyv ۄuIx"n?QthrlҘ0%gAk;nG9U &}U^׏Tt (0TDMYeVT5IN'@ES!5j5NmN]fYYGEN#dIs_#`J !p ,zMԾR`N'0Gø:7+'eį`\z@\{],;v;dMٺK1fc9^^+OXݷcZܮi&Xôr. 劅GSrձ~8f ãRiEL)0џk!O`:(\-()LTi.8IeĤ u~p'Ɯ*!@AZJѾN!:@'(ss{h9W1j@)3!^M}@i|45ۗ(y $~ š_QHCBl}ݶx,'uֶɻݵ=1Cl# ͸cڎT'.xv>:RZZ!!ZĚA]61wA5-S.vtDjǶ6v!l`Z T%_Ճv*љXɛvBc!{=ٮZZ|_U, cdW-}4׵ [TʅKԎޞAxT{nBNHT'~}aҾfq$p&L/R{pk j07:/7K߮ endstream endobj 1543 0 obj << /Length 1309 /Filter /FlateDecode >> stream xXo6~_a IڮVCaC=ArB-$O5/X_h6aPA"8 $;T>)'2U$3_/b"'^u>gDFssgFHYDXSEWڂfpdWrLceQg0_MմGM eCn^ 4(RU_Ooʦƃfi(2 iaxJd^)ZmBGBkhڃ26"䓩97FLyse&Y{<+I)><^#BaU~ jTE ,#:IO+<ڊEƂ_]8m`UQ4e},tQ1ӝQG`m1%JUIbt7yjDvTug30, MU楮jYBƷoq޵օcAh 5EK $_JG 3JÎQn v/ӉrF֞0A!4$_42uhZ,=N3ǽ~A Z@?Tm DZa2P; _y+~k~vb՘gd0@bc&$rB)5Munͪ9 x|N0}UI Yd(|/y}صXPx fvl #`U F#JQ7ۛCjLUU3vָ G11ۮ 8$x2YLߣ CN<V5ӊeQ|h\#!F Ui՝KilUU,Sz8i<$X?0q1(eGn}E)?C֞g0 endstream endobj 1548 0 obj << /Length 1763 /Filter /FlateDecode >> stream xXKoFWɡ1"):mHZzp](  ;3Hq,Es艻g>2bWkq,jkaʵVV/^OάdH|p,wfpagosY:83ot\m#0]h> /(#= ۯfxo)B#Q_ȟvi/O N'pWH s'pQVه(:B>W* \r #:ACb>nǺ(S3/ΜPW|x};[Z{3xccy " )ɽ>Hq9\,m ՜%3i.> Op.|Z&#~DxqE !ހ=A!RdeӒ2;P^*oW3-GRt˭(]^1k/;2XZw4Bwm+I 񀗂!2ou? Gq3:41;n.XmY%ye}WURqv!xuC0.UGХq7Mb]5Y֠3_({QgtYq(֠kL7ջ8VȸBaI~.qXsEplQaʲuȼM l^WS$\05:?v芮Q9Hi;GK+RQcp{&&)NKNqƾ#Z{H) Ӓ{ja]d0 q&JEXjr%q 2 Z'#W;X1}:56DpYW,=$چ<|cB."1 8@v+G]DO90n7'4vn$Vkէcդ ,?qy8ɉ3y) ;xa+لi8Aڵ Iӎ6XDIi>G;  Z5|Leobu(asA[&= G^;4|Fnb7fd=Z41C'8<0M;d:C_ΐC w;)Fs> %Y2}Tu{q(m Sݘ;)<[=~D/oQqHӺe&`@$h OT<:\7vD @b}tu%̈UT&{c<~@2$%;P|D_ٹ;C2 D~K ()}^ߞ:hSL$[#=4 ӪU(=&D<(}~QR} Ht]Rs!BڼDoW_8a> endstream endobj 1553 0 obj << /Length 1981 /Filter /FlateDecode >> stream xXݏ6 "@`jzXѮކ۵(Gw?R]ð'E"E(wv5sgvqgez{MyV8N|F9w|m!{Fp(>cC)2F/|aJ\/s`W/'2UnE/ C n i +GRM9w4g+?'7tEתM+*isD $[CkU`, zӶ 8r Ѯa:K8y ST%@f~2-?B-ޕ},%<9>}ΛҔ {UM,ǒ-^OI`N1-M5S0? NڑF@1cSz=iһS(@" x;r,n=pbD|GOwÓbь\`N!7ci_Ytֱ=ok}ķtC$D0TU՘v #:t%}%Ģ07 ƾ2YkM̋5 !w@"{k~ vq4_"4@܃cCEdDB@mDa4vFbCKQD7v]K;hGFuwBXiWڟLb K4Rt{ЌYZҙ;kW[Q"6L|-m5-d@Uw%8[(1>qMRkLt%Hr 薊(׸މF ^뛼%dž&؞4MWJÃM⠋!RUʜ);{lq1ſ&67@? CUdV13~~g7ۗOJ(_)K#/2pR{UEqK S^^ }NFuKyaļ u=xA#Ø~p#/C=83{y{q ;0?,+.?A2?Mf7b}<l:pk\E)|Ra"Ёֵg/t*S18o`xo{c:^M˼Hej=I7.9Ǧt_"6>CDPjG\5>JCD^X Nߝ Ut6 i=f}__}Kʶ3(b:5GѳiWÄ ,MڔjBfCHGfx_f,S󮤉c!o;EhErE_E';*8=p3L 4:};̪0W5r& &Z~<=8‡#TMdv W` ^j}x5|?3s¯w<:,AiʠIGb\XSje8:kMP~VGЩ Ny<~# endstream endobj 1557 0 obj << /Length 1819 /Filter /FlateDecode >> stream xڵYK6ŚIQ-mzh!)ٖ*p%9P2e^o Q#r8p/~O\y<`ir~‹W{_ G,7UJ}M<䱿rj4kzngsMv)$~/$y =lf^2M[S$~Qmg/eѓ-zQ_O'zd*4eîkTwl6D9K&47~4-F`A /Vܓ˵7m / xk^lם$KГx3iPZgGU#]4(,8jT)2Ps)uϢ%ʿ2?yWFWCR;)')tE;ƹ ;ogs%`.66ֶ)>whC$^Q!?>QzPjoޠi`I, ,UjdQtUY?j3H49h*Mt6 V[N/ L&=.c* ڴ\(ALL nmΥ?QLU?@/'"Dp΅ aDt⾌UX&tڊEw]anXi^ѱ@ˆO] 볕5z'(>[$w(71 t !n._j{>3j>>ؼlQ1TYʘ(EvL_Is[u^Kg `c'W(y1ձL{2yCEJntl$?FB7~!g eD |-t^aP7c&y:5.$qSqx,Q!B gđORo p[dƺ_VZȊ0f_Sl _{d6Y'7eEtpifLz>{ыH) )@GRʐTOh@^LϞX(t_MnvSԽϒBڕ}uR2) B/ߚJ{I$X>$ 2f<[ce"zސ6f\L ݒ:@95UA]~w,|_2J8EYrБ?h%I x_8G)&,eIb )Iq;O/3pwӏ3*KS&㓰(&DzRluEV%"ƕ^;E$0Įo ` 'ˁysB'L^p4(g$Su8X;2rtwVլr3UjsR1;ƥ FX, &(BcRjR x,b$e MMΊ d{j4rM;\aRp~R,LF4!CCxR4'@s+F>  “;>as考GU)7H0Φ͉ågOtQwC=)E/;]0(ȸp0=m4^!,BLKAN]%P`9+N_OcAWJߧOW>_Z#/a{:h㗬|at9/EKhH;f!u&-̀ɿ c`ڠ۬tޟ@0Sn˒.# CSy,,) `hL.1դq>v{P> BӠ Ϳ:e& endstream endobj 1561 0 obj << /Length 2120 /Filter /FlateDecode >> stream xڥَ6BH"1#J=;@2I/6&:ܒbQh}DźX8/?}=z)wN;0Ou|v?Wj:jFwjݬY/E3\z=t~p<)Aw+?qUKY€wȋN"4]픪ɞ8Dzi5eӪ|dJQgM})I1##b'|6-*ꮗu~DGÃ"dRxUIB6:Yz!9-p dgc-E?^_^ {wP8", sr8@;νts/*lN}QD "1נ(~lۦ5\?٘ImNgΪNٙPfs mh:w4T~%"n_Mb[`ަMzDQTؑ:W*,[Kxw]Rjh (&f*Ĕ T t?͡g1:;U!"@9b4h6( WUq0I ieu!5, ].VO Q ۪CѪ TmL#k}Tۦ&7A(~WPtKrQhaN[QxJ}^v]*?6$Wg[%;xwD@֍vEzyHyQܔ(oF;?f}ϕ4ߚ-pu~ڰ5~jXnhc[X:)4B-M1Z MM1^J:"񴦈AbZf=AWcdž9NpJu0T+.O%Rb#*il.'hӜg cY|΢O#Tw*3_1RFF.<f@mzIe9:*Oxu~"s37f`RXƒHbU5U*g'%A]_ |px ^6}oj_?33c; c̸`eCJ[y# v b|gC"N_ԏzBiL 11 O!Ku׷cCMҌXɉPbK/g.?8܆$nӌs5d)rLl)} k;xzվTf)KJ23X/=ƛ 4Uߦ9dmA_ |]``p\iʂ}@-d8<'~h}_<yV5}(gzajwڲEN0h=M i>$LmAFlZuW lYiD U":fF!}O+-QI"T4?m K>jO?l8@@^\P:9\9_oޅ) /j endstream endobj 1566 0 obj << /Length 2933 /Filter /FlateDecode >> stream xڭZ[~_a`jcH]vRIh(4fF\I=R7cϦ/ERCէXO^A*RzxZj$ڬvFm;am(ؤ5ev@ǩ[lEvn2 GQ=:PZDo b56[x.ynQBmsIpJòja`=ig~ѿ"0 ҁ\\:[h9}3=[}O~iD_׫qmWyӶއƻrhV tO۬N57~F| xJOF &~3r_}h7`"`Rnt~s>VҠ7$\V{Z]sʚtFڇ]Y]7=gt=ړe*uwĺ5:r%KSGJCݶ{|EXyٳ/9XGs(PtwVOyF;̫s]񋐺.(K5^>o7ǶyM*J|q9S4yds`R'Ўdpa)Dζ {HD /Iz5"pnCC 鄸T&0*Y2;]Jot8 mD()AM{s7ۊnr[?eEV286g$DJ)FMTI0)W7j-û|BXEwM#ͥ7ln i1}C0dbg0Drf0dK"-%PLfv RApPm$E_2&З2Hi03eipr;Λ[PiTqqY~Pn[L](Z2\fEn f0DWNn+슶p҇pQ(:Ϊc߫$-hhI' endstream endobj 1570 0 obj << /Length 1618 /Filter /FlateDecode >> stream xڵXKs6WC!H9񡙤D7(bB*Au `A 4%K"Bbw틾sOHY,%SϏbgrnw|ײf: < \6n MP]_^CQL=58D>_9> }ƙf=(Cbr!po/?-k7|k*VJ ~^2ϮJݏ}5<#` k(|PڒK=;&FKe,IH%Yͭ%,u!DziF0g^,ixB>UdeqՕFRHHҁMÛ>ؔaBVuK{5C;O;67rP^Y#+\74U3t-lPEI`\v1@ cDz<OGCK3QfladYxI@R|JRQV+6Q&墕+ ^nnY6 klJjeŶYL1/^@ч8ll5 -n{^Zdy,FK 4;Pbr-J,rj)%>鵾\H,<-[IDݧ. +\2+6?^̭3X/(B$)b5WowrUrKxvGJU*Æ_qYcW^F蝥r^XKSETP4L/B]H+maڛs ciDzc hƱGHfrTT ujEvP/d<NGSe^$'m{XY-$/]pn'nR\'/u_gחzPWC ʡ ]ST ) 0:6%{I GxpTgqjmLA ښ'XVw: CTvw`]]}vskKï[h^FKzsxk}0zTcwA@Qj a@[#JIiŎKSPxXesh %!Ϲu}kaFr"#!R(óC7Bhd 8םܞ7 0G @PXA-WQ_T|Q%fcvOILl 0x{+]օj]х$fF)[0|, XQ MaFk=ʿ|=n}Y{PCJ*Θv򔮹 M(  Y I΁+ VmuH})EoX' =@Ǚ>Q-9=`&KE&G|._져c%`bX+C$I@ F]1F3(RzA'z/^1}k?h 4[â)>H y_Fl|eÃժzB'\@#{]0u! o5>? m endstream endobj 1575 0 obj << /Length 1647 /Filter /FlateDecode >> stream xX͏6_u%jcc؏9TK/sV# -F}g&+U gqAtc$%͢f!BҔP.?xǘM")"Է0R6e(TLjcgt>J(b QA$4"A,EL?e;%5QD2A;k69+$1?t=DGMkGB{;sFH$|3 'a^j? r |F'8R~&~Gt] ֡ʾ?mPCtdrmٗ%޴mT9W/rSWuh7MH.3`)ugr$È6_Fp6GsU>Rh8J+ioqѩY4G;0[e ٠x7Tt$tz[H&R5ǩK%4  ,dI< Pw/;GbxA%O.aלi=˔p8wm=Ol,LSKRf٥p?c~(L,{=bPP1`F6pï9խ5VpPe e}53xm0n ~8XT}xlAN㾘۫  :k.Q?/NX?tC4nzhL1fLWt|* z}rkTu ΋A1`EGb,B@h𮁝Sc[qӦ!}<&  W yI/8:qnm H t跱Q7-)S\g3Rs:-&e8L8S,ל~|9~P w\)L'i.ސ6cy> stream xZMo7 бhDJ$-ACZ#4YAoa;@ugUghz3D>>(]p]̎T :qiOE rp)Tf')DuRdiٲ\Nt% M`eߌU!Fl+fh@Tb&]E0 LL&5Y[0-]UZjLU O`PBV,5c%L4P6w%$ǕE#u0yɀtc+.FI(h%{9esiQ,be[bո(#>`lU'6pKPv2=!ɐ|q,a.ˆ2Y CS62RVp0A$"F# , )8Q2#AJQNd5 G9X<%am 'S22IRܦٖp4q{F5Nb`KqZ,SKh5C215&6L8nc`vN2&[&#6C.ԞvvS <(V\=9 Ov^~憗f*#޿y!캑ʝSPeMHc_)@_FP;*%1bʝS7~r{_[xv3\^O{׏vݙd[_a6G-Go83v{kX~Z]Z }"yY;a9>2'#IBD~[* G]gG]zhQI &J^ӝ@{_%N,L(3YfRugeau&p|> i*߯ߝ.n/r |uh|kjhFx nabwP|;ѧ Uʞ WkP(< N"A!5udE޺#w뤿Qf^ x^8y)-څ`ס4|'|p1Hw7CN0ZL;;LmZ'_ &};v=˱"ჂT2]:ޖlZnM[4ux9V-)EꃦC(OL#!dT|䞏3Ӿ 3)qj]Q6j ,DKύSJ ZY-=֜ qE GȱX/(OGɻYƙ(vFhujv$4*Ʊ_/N3;&$SONndo:Ziߤ z+v?PFt[ A)[ƯAَKXRHS|Kc2iƥǐiPʟ4 ,=w81NAд/zce!q5F:^{o>0OyJziktf3{8¡Ʃ vYKM endstream endobj 1581 0 obj << /Length 2150 /Filter /FlateDecode >> stream xڭX_۸ϧ0ЇhIQrrhX"myT+$9 eI7Op8xW?Û>(\+V6D~ѝ]o֑덵Yqޘ4QhwDP=U=Ҍ' $z_;f'{"|,Oӭ_[qh?_ߺ/az*v !Mj4v %m"K3%TKc6 ˪іaF 0;篜%ӝ'ӪJ㳇%d%]}$RӪ[rK:).fL-\P%#+/5f^OE&@ŖWʹEnkȈhߙFEP apr^XlJvLDu|YIk*k_Yu@d:GT3ԍʒ1@--C!jnr|K$}XB3zc\jLKTe*rN}Xg:v;;aiWj&=D6hredA63s1:w %3]P\XqwK׃r0.jO sF-dZW GMOiJ+ǩJ+B8pUh:/軩=82OY$ shyadHo|fZF[␤*>&|~]QhB@+-Xd9vDUrrnL4uMZXrW٭5wц[BiP#%ZXe]P`Q*|#KrO糙?PrS³I>e3_-c|M58rK4cݤg*ͻV4rÚ2#c'J2h}yF72"0 58T ydxԧ5Eq`3 N`zo J2 @+i5-݂kY!`RZ]Fhc 4-uKRP!gZ8&"ˆ3 'R$e>  R[ڢ(,lG;Ircy1GRC"z`r4<+ѥC8tr\)ZKϙutҡmX:>N}dr/ Q"QfcqCr0щ;2 O;$)Mw˸6gݸ0+O<ͦ\wNy4jqJgOcI ɿ~~!0Fr:ܗ!4ÛY endstream endobj 1586 0 obj << /Length 1668 /Filter /FlateDecode >> stream xXr6+TC!!$CtˤRYP$ت$\ ,\DlٛXP$~B" z/gYG-AŊ$ LJK|U^vzjF)}<( JRxnԝߣ| >ݟQ~,$FqۓdNC4P6Ђ=0DPEK.K%LV$2yK$ ,WA}G#CںF@\uXc1aI<ȥmw3&Q%뙖(1=W7NEp K k2#2Syc2YFOJ.? TP'8?Pcj_6bJCK."m.pBWKuu7|3{E91]Veo3+,78C'gV|m:,kk )`SUČviJckzni^iQ0b-N}ʻG*N, q]%N $pb=B8碭hUgfުM6Iެhd*qTUD0)fmдD6S6\ҀB<}/m4Urj U#Cfq F1lz: {xkf-W^WFL8oAj`hUf>vUc0:XḠVaf<;3kd 왪G3ZB r;(3.xօ+-' -J]G꥚PMo%'+nfx3~! `lL4T=`4p<Ԓ}w2^(GuG(66-5TI؛HKSMB/ZH\r=IHvѺ Z4u99Th#ܾ-0~,a%3mOHFaPuU<H R' \4樕n`Ϫu"Qھ'z(6#FDx`Qb 1ҽE*|%7♺ gX9A0W7!YsaH$K^̼9G3pӌ+q0i)amY^= kevB`tg}rN42f^#+=4?<͘>" SXy \04^lp\ħ_R+sK:H'G6~Hlj}=ysK117OxHnNĨOm,RP=\ a8nHIvO0pBx܆H2ZJSr endstream endobj 1590 0 obj << /Length 1205 /Filter /FlateDecode >> stream xXn6+dQi!F|Q'Yt袳.2AAt,Ę˗lIlӴ@1"Ͻ/3p @$Й.9QPg:wK|cϏ8|=rχn** +[;HF@MN#"8~hbVM\.zQ䖞yPZ )2ڀ}ܼ+|gf3i.K?k,,B ^.OHh|P9S;ÎK< eg$)+j|`Kms>7OBY{ҜUUU/|%*+SWJV"[Z_M&Xre=^aԌG j{)#hmޛḹBi] Q=0>7|a_pcrA"tڈkDUeL4s^'9 HB*XɼT! ~Ӓ&MX JNhC icFwҶrn4=r12@зv6Unx%d9yIgF,VHbO{zCQVȒ1Ks@d7[j^ۺi'f-ĒHW#R^mCr`Hiǹo-ա'Coq0MV@Ə}pnYY!q^l޼ĒC0<X?@2"w=/-UqOz_Ժ}hrĈnʃr4 r0lV!*ъ}}ftXPBM2d-F)Geo2J 3TY=%+6\,ZUx3 t?hJO(|n'Cwx{,ўե9g>?HND}sVJNfi!>GA|*nx63H}ÌnR͛<4Xl3c-xzډݚJ^#CO4?Sg0.ڵ_˕]~Yn ^X +&eWs&]u/ml^a6dcΌ(3t:{=iyOsFR BІRؓ]li0A߮ ξ&x]g_o `;o] kS}@߿3~«o$ endstream endobj 1594 0 obj << /Length 1549 /Filter /FlateDecode >> stream xڭX_6 OsYwۀXa{h—.n;Kۏe9h~")2]<,⏫W1`4e CBZܮ#,?yEw,Rj-7AĨ%yXqyĵHX :Xa8a!a*[G}qq\(_[s:m,[K^nC՞3k]w,p%E]h>=.06A#"y(u}=4uLM;{\cV?zPa_uQ3w]QWrNl4>s:`N\Z?hOpt=CԅFũƸƟ"WCf d <c:(B3j6D[wu)ΰy7%(?l huh<9ML3Abs0h ىNIxME):wdaXx%3k(c endstream endobj 1598 0 obj << /Length 1891 /Filter /FlateDecode >> stream xYr6)4CNAC3I'=4QŔ"Uݻ%)C_qH(v[)螣,Kǐ|&$s$ ENvvm-~Bpcu]P\0cVTm6`˲0˦6_mM(NDsȶC-l)b`hm BYwVj&`ћam ݙx$ Usk,* .6l)툞6c[Qve._1mUlU*uJPMbϵ4A-H2 !a.2Uw`_b?inF0ͧ61>Č3?AARXjTԒ{QVZn[GmӬ !Rk^\Mgؑ+#z >QTyJc;5¾֜UH^-y#bB>R!(r7%"G!D-hR4Jtix u@.FޜYrZQ<}0] +!Ur}~=72`9w4!L!gP:N{Xy4~5Guˏseb'1{ !#mmFEv.MJGov?.25|)Kd+g]iJrV0p i=8AiVvr32$ESr ek!MO#C{oCIvaNP%іqˍv+F36 6 SAʹߡ=@ 7q4.Ɍ@wUH%zI60ODYr84 $V( usA R y421O}Sw n}ƁL0"EAD`2gsI kDǶ~P}irU(>O0lz}ZQ 5H53fPzmiXr_6]f3 a!s ,3Nx:d Cm?h#g:m۴Ȩ zpD[ubLqT@&T<+Ds'B~X/}V&(ߒ} 7>2f@*$_&wn4. ڍB*ޚ N+UCA_bvԽXh+rDo ǎ8$͠^)D$.Ɔ|ma @RFSi`^jY+߷A(ʆ{@[3l.[gc@zTV̴}]#{sR?;X$O<|KCN7W%Abŷw2;=Ѫvse!5!/8ډbe/ $ ]:F[BޜK]}rWdbn蒣:)@j0+uej}1Sžmdx:ÝFU2}'kBzF ʤ 6NP%XQ!0Fyk+_E*zdٲr?a6I *`ťO>Ê/fe wKbuYܥWH+DvU)F\ $P0q`Ҕ`O·_{ endstream endobj 1605 0 obj << /Length 1733 /Filter /FlateDecode >> stream xXK6Cfė(u(4)zH@kY5E{g8,zî(j88qNQt\Gȸ}niyo(SIIez}oj>P0yy:H Yġ٦ *Sr1/pGgsbO@SghjpHB\[oP)姪g39wDΙ~ |Z_ui$uĝTpp0vЯ=~ȱ L%`B(HTNǫ `a jsӆ:5=n檲[|QPBon—fۚWLVi"mG"FW Cb]cMþ'򀫷mҳJ;IHP:jմِl7芭)qvX"0X?K~PG[u\];t HRl*fLH+j,Cʘc?9&سݯYzCz.Θvǚ?P^~>3,3#hChA*U_@'Gbl'Fx>Oys:V$u)&]Yz!hݯ8>[!0\Р1r0, پ.<U-RW &2`4?\~N [kxώԇ[/8FPw(Eje;?v!j0 x#<22p(Pbb 6a+W2{Pkߺbc}=Wԅ#xyg endstream endobj 1611 0 obj << /Length 1368 /Filter /FlateDecode >> stream xڭX[o6~ϯЇ[؊ŀ- Zc6RҠ9$K;^,^;лBϋKJ<yoRa1+v÷hf((4󯖳9K/3ٜE--ٟ_/ Y2Dgs~^ MxSϣ0HYnykP(5_ϕŽP]!AΜRpL_D(>,|'&Awb49H1$HUֈmӣ7 ub%ڍZYm#v(W++' g3,`4?b[ !I읨WS)1EiCA4%~xJhQh淼 -L| ӓ6x }ԐjFS{ǭۋ-oZYt%oɄ 1b1UQ9E .K,Ń>NQb .t%Fv'k& 2ȼ*J-֪)ʲ#/d)mT/љ)W)A 6V60Ef FCuH>aq+\0Gj\3$ڥIK8ﴬh+^`:cHU0L E}*ew~V^`&,&'4k1d*Yg\hQ׬ە'lv\VHtdؽT}*q_u6,9(hy'+= 睫Ʀ ?'I=~ׄTd]W^mMg+s@,ʝvu풶ۊ]l#u"vbhVZpVB#mPFsQtΠR׍vi%]L'p6Lq)[nAJs,uahj^Nd%18Db|)lpOKx4n6r䇪8k\ IsU㨅PxiFCz*`8VČ+)$q-p_i׍viOl@ _TpHQZ޺yQ-W҉0aӽ([^׼1eU)6Ӎk7s-%JCPoqn9`zfy8t endstream endobj 1615 0 obj << /Length 65 /Filter /FlateDecode >> stream x3PHW0Ppr w34U04г44TIS07R07301UIQ03Ҍ 2@]Cb{ endstream endobj 1620 0 obj << /Length 1297 /Filter /FlateDecode >> stream xWͯ4_5g.X!qJuhӤ$k{y;c6}-I8ό7N$&7y5Wl< JlN>l]ox"REdJHf)I49͘D903bzXsReQǂCe2XB$ʔ"QJڲM]SXĊÃEۖq0uu WT% omJ+(Y<%}@XO1ψ煽YHX"O9x MNV1$0R۷OF_> bOTqTp7;wTm6OR>pwtHTHͽ sIXŸN@NyU?6JJ R \ NIS{\c0zYkCh_rAPlw MqV!3t=Dhr)$qceUy1cj_/qB*фWqo0klR_B!uVg9YAeLg C5y/6F|]:ArtvZp"ٸ꣯≲Tv=&nݻw>i\sⲚڶRT3r rMP5eqUs$AEj*?(UD>np^0RmTt} Oc4 utӲ//:4עC [;zUoU`jM& Lo )C[vQT׍I$CXWw;K!Z2'tfmk<{\&'lz|_x 6o=霦ZA qSN4f]48|YeVF(r9)s,eU"@" vdrbfǝp"'Yvf rSf=NwɕegxZӸmm)- /!5-~qܪ@e4=[h ;#=Ṥ2S7!2W<zu?=OE5N/Iߠ-iWǑ+Xw蔇x{~ݸ/4i[q;%  ɡ`i@gvye.;٪xm9vqS h[沾Tl7f m>tNpv '%871ueBlgخ3؀Z\YkTu0 r麰dauAu~CmhoR9 ==P557)1ƼPP=SI O7g endstream endobj 1624 0 obj << /Length 2096 /Filter /FlateDecode >> stream xڭYݏܸ ߿@:s+$mC^&s'ҿH{Ygw6ɓ,("ѓW?^~^ E*zbiBv[Ef++ <_K)ݭ}l٭}$G즫~g*K f6@l{2EQSYUo#w":@< Qζn?."4|:n־f^,h ~TQ,Ԡ1v4sM/i%> @7|a‘$ PF􊲖:1XG)S)TOfhJl;+zCYPuG9N@砲H C- +y_-h$u(k ?*"SN"8H f{7#bP?R!;]gܒ֌قyv0+HSloAtFJ$퉫l,kioXabVWfe {MUaЏ;ٌ,/#Q0M'A9 snf{sN=j  3PN XX!{0k,GZ i^=$' Fs+".OJ(a>+ت蹦> wW bLUb&#* ;TEnIeFTgÔ;/Z̍w$; 1N7;F`%vm0)"Te{y>x_! yl [aiePO0LGtSNAfQ*d0.5KPs(Z2e0il[ܽ!Dޙs֖B9(mWT$}=1BEA;fa@+OwEYa\*G e{o@[`kl3KENsS˖H&PP!c&tqxf3ⵎ}d>Ŵs8X: 98xr8vb endstream endobj 1632 0 obj << /Length 1630 /Filter /FlateDecode >> stream xڭXo6_!`ך/+][36 [[ MBeɕ$CHYr㑼/wT]ybBp, 2-^*4 ;, C?bYt&*劈ie9yL?/>q_E ɀ4$1.֦PwY4HwY,bP }v0= -?oސae,KDJo9bkY ĞSgyiu~~"YO88%xA̺X|LwR:Q/;2y|`^y ,`/osܻ1+$L,&ҥE܌G,}ɉ+x_Um_l(uUUiݓvBw(X.F`& <lbYkSRߐ"3>#)GpՅ`1n^i0+LH%F#T-WUBTRIY_[E8 X9na ^(7yZJI PYZa&֤EmCy2w^p8;@GoEl:GS?`@;h<:! [D{$184$-8E0 u^^snkEz ~4)@Ԟ(7HX94ʕSdZsb:#%n'kUB E!EVh+/cͻ w>< +[]!!. ȈyҨ& YTr>b`|h[ eT&l3&ٻlr#$'Ô0܊_SK:dhkGV3+Qk4Vuf7zVU~S\W5v| h7,IX ,:Gi gLJ7{VvkEV(O{{ޓƓ p\o{hx)Fģ74aBtPH#5duۥ50b4T[E^:qAWZM . _P-T 0F <`>bpM+W> stream xXmo6_!`fo5Qܵt[abӶ0Yr%}G%K8]"x{sGSoQяף?11J"1z "ԗ{=#jO{zSAI(#Ao#8L}qmt6j\͒6sùځ8M5lSݜ {kHWf~ .dhp\"ِp"DZ6@Idb,]RhBt!i/ܦz d{ߺ8ICL`6^6S~3^/]'}lGBn6lO_%[8:HbBE2Iſ$/J\ ϊ6a;s;z8JIHYfUYiK5&kw8x@w9> ɵ<5.V7ݬNVZROfmiğ^+\ D}[ſ0 ch8-snp+r"] N{'3Uʲ7]gsؾq Mɸ3; UYQhH,.VRN A5S8pbPј"+k@R7.-@V}7sǜ%s+]LhS?9BYkx2Q/@ ͩ|zw~c"8ʾ2M sj?\eɩa$o3uS|qC8RKM$@U!F̯1d)2:5 tE[KI4%p]YeP"#NRׄiB1(櫉v3&zײn`<,oKS q[$Ulj Z@  !i닆4XoȡHG9EM-v iH%a:-{zگ-vl[4NY2mj-.@mJhմ*ّGá4F#DxN$`; :eJ"': ޯlYa` )xGg&5AU,Q_@EpI5zdnA=ffय'D%at=dΠ=sNoK:B݃N*^:{AsBD$cCl܋"@3zoXX!/=D+703 endstream endobj 1643 0 obj << /Length 2477 /Filter /FlateDecode >> stream xڽYKϯ0CdH5l<@ P˴Y2$yܾoOW'@"Y,ql^0 7M6I6Ϳ?KoNkK!T٪ぼs6-z }߾>[(q"fw:(Y'[އ 4ms;"g^1+ϗʾ}{\-d]gk,H?XƏ!M!dU d,WY"7ftOo>_j wysv:u!/:7Ш lohi["`@S` TuLŶ> n<ҟ4*lv~2hΠ o!^zÂe .({IBx5oym]Y0,fdX4]s AUo"v!X:0)Ӗ5 w1=^STyw›{?F. cCXItM t4/ ߹whs^quz%͎ڴ{4~0I,)Ar,GaxnZ#R4S3`{+L{agE~ t=_,FU̝R\]ʖ`:+QDuY F*J4[*}x@O/_,C3mE:wڃNMz|Hc/Ȃ|\i$8ˁ(nj˺hΗ/ж4A8j뼪L@>4K_6@[Hv_Bֶa%$a0aHjZوVV$,=.g^בrբ@S Ø6^kk}7Ias\$~ YM5dޭ*nMύspYf8^aq߽R\U ӚU(CDB qډD? -@`RM9 0,F 0X$:%6l\'nThhsj0PH^f7Lļv%<0!i=!ݨ7, {-yۈʀLl,#,"0D9e;#P6oh9 dO0aLLxJ^3qlf' Thڳ@Nv@p7ZLq̰bh>""+c FW "׺+s%Dl)!x[:][[,4m[z(zL/PRRY-tx0#G2ui&pwm!te"Y˓Y{YUVZK/l֜"!pBuswiuyBEQms'YR >K= A ՐGLrx@p[)ȯ&Atd"fWoہ8\D0$vn5g:h LPY=ETiNoɤL ~ۼ0Qc2q[12}Q3^k᱅ ml#7k7 ge PaY[|Ʌ0j SƏx=XklX cD0qiG;ua_4b"H/@JYx4u͍il@I֑GxzΞUvY vceGN kTxZ* > 80R4v'2l^e5NFʘmJco+}L"dAX(mIf4vi k]tW늟UCgPj\A} C\G۹).A@$F/S2ʏ Wz5\( !% | Th1^P+mQQsKB.H@% ݝ)}}=9;goTtF:*`y{?MP~pL- ŢaU+!oD+<6?|VAtUN9kd8[zkݵO  endstream endobj 1649 0 obj << /Length 2648 /Filter /FlateDecode >> stream xڽ]}ї.O{(+&i-!h%vᐲ+=/?gřv.~QBVE,x9 E_/~ |?nB}mQx,xȲ(l~ yÔ]Sswq4mW1YU2΂ǖ}6}Ki:pt);-C;yO˜?N;,nM_)q yI@}%W~UzKC?U+T镑F+G[qDz{iȆ,P+@/)龟#.o\#ZX%riaAS+.=إPɎZJaGM_Yd2mw:!kqbLIYIPr%(( 昤dG!yXXh=Xm59a 8 ߽iN"'a;3@#feE l(̕o9Yfg "3 @LowӲji"`iʝ DAE+vmMUxV5wW7L:G RkdN?v~Tjr4JIC͍^QCb b~ x/:ۗMɢ3Ъa[o^ktm7h-n-G"L;:n,$=VIrTad'^( lXs`"L^QWiT`^>j: $I:jѨzIfԕVmi߼_=uÇ}n:X`_ًߧc4!1!c"0"#`wF#ahe='S=aBJm:S;@&~) 5͠X|M]`Bv@PiԵn\`oIww[4 +n~:j-ҝw\ &5圗/bvsa˷{<F^>{fՓow s Ҧr{hJ3?KW:{:H>F2mhFkhz0aN<<^z5CbA68D6[_Tڼdچi rGlh !\_KfK<=шvPli0v7=$wE5.k{boKm(Vr(mNi_)i66~crhB-E>H!N[`ozpiEx7T1JԲ"hqi'&3N:dtT/H1JYrKgG_]|҆{_ny!sOk]ßHkfM=MRC}o~z0EpMEѢkX$ ExK`Y]s@)?L9.J3` cW:=q]ua2'dHB 癗o@RNt!2H ,t,ؼ?!=RI=*apa8徾g$t13'镘+  9߷=1^9>keNHupo}dialb@pP+lǚ XeW OXqe ƏgD6'D2+}Xo6; a^3Wb^3!pyo{ycrk"?j"e].\\|ѵ,1:#=!1mzS*b,̗,iqGE@tTLHOxY<;xο|/u/e؜skHMxOyw`3}ŪwsM<˱B'߸^EYt%f9(Us~u~l_Z>}2bDCyN-K%Po2eL|rqgDZvd߬9Y Y.vlx޵ra\pS?zK9+`EIybȱm Iј+B[tMbFUt4/ԁz6n@A 4tiij[Wj"C䮠a\ߍ]Ϟ}Jc׆9B!ww7{uy?z0=IcyaW|jm?H{Ć^+YEZ,,3H!"[mqz͞0*WO1~uE`96 } gl;I~swx ]DވanаcVL`)RݺQa€{cC*𗏩P kJsL͌ǐ.k+V*5MyfuCwؼ,+AxWUubU9RcEnE endstream endobj 1653 0 obj << /Length 2805 /Filter /FlateDecode >> stream xZY~_! >xy ؆F$zPRKbcOUW"Ȼ2j6꯻?N/Ͼ{wR,DA*wE,qwkCvL\) G"7ZS5+jܡŪ' uŚ:4~O̪`e)dUUwޚM~hǸȰcSAWGLRE*)b/I`Bb4ή[UVS`Q/"$ )-"Ѵ"4+ɱiltٞnk-SL9 YIJ,{0W,Cl3%uϋZێZ=q_}>օ7류m6um27; LW] l II'Ns9N`; F/29;eٞ!CZ<ɫifwkXH}Ű6 V6OchсGi\RN50A&Ô] ζƕ +N^qoސ8g {U/:[+|.q pIA,H2^47kt%+L 7r\u+{ot:3]&Y>͝Jp u4EoG*$1thUr:~("*k#13?Jg~zRy͋ASH4 B+W+NƩȏES͡/ϝ㸛<\P둽nD?a@ #u*Yx, dY+WM k. `3CvƓ4>E"?7~I܌ +W'/=z.$V4St?xܲ䳥)e 윳g)<3b^D鯔"۲d>emGP臇f \si-[F", 1.+ sYֲ *mO; `Cp2!gE+?/69-cׅ𾶬&C;;8A*;g+EǑ-Q=ĉ[Ն !~k.Ɖr̙pDٰ[NrQk9eC?N\䞨"cxHgݬƢZxVR8d7T0Tt,~暼eʆT&)$Ȥ!l, N3[oOצ4;kEՈӫ~@ֶ{/?dM7)0R ?B;eijNqSt0??zJHݻ,DZ$ydmxFfN{'"9?ߖ+7zi=#&8RsWIGgqJ?%9>զhubFX> stream xZ[s6~ϯtg*򒦙]>~q=YJ-ҤF{?~.%ұwDp;WgLČ`.of8Dzvx~}+l33BP$l0 DGZ}*Y,޾L$4HD\w9/,Vk#sPdwnIW~.|/ޥq.Jݚg,+*KtSIwΠ;_Ʋ3veZ.+yе*3Gťd0$ǪfH1RD$ &IdI8}ıo˒JǏku,"! "O3ƚL 5#>i.j4Iba=\Ik83,zaА֟?`E>!6=W Ǚ%,UҨCŧ(yy4ƟJ`YXJg'(єοmµ~ĥ O&ߜZZ r'== ,3vѥY J9 #!">lfPz1!(o+CBkta'y\B*C6ۊOv2UFG׍e@,*@Qnnb#XxH鮬 nxe 1VA(ӱY&S:AxƐ-Bo%j+VsF DŽxŲefivLR8+g!MpdU m\2Ïo]ҋ0 !ݵڌxK+m"AZzT^.НAC8( |2gքŴ,̞#6c:֩Yi>Xz} hwwG`({P,edZ;H ҼN!j 6&P׶(Ea HOjr!?-G8w~-ŶZL׶l- 8>Qǎ&#/}P$ȄZF `'\i@$h3H\Q3nP嗺XA8䘫Ur?S4;bxvf)Ğ̞.u<3oK 0J i g >'i"V'!q*|۝)vNJ> Z~D#Ny/Ն :k C ns   ʼn ҇72O[|T|*+rHe,MP8T\ywj%Ԍ˩-B;_95jۜ H#2ɡQ3L$& <=)Z?X~=L`]UgJ7AtжK9d.`x瑄hJC~Au[N$HzZMFٚǽ: oW mOKNȩQ:x? ~E:UR[3/-/>yP@CPehf*kҵhՇ,*ҿ&( lNkaqșa◁+ j 1ԋy] 6󐩲> stream xZ[ۺ~ϯ0IQs M7CNpJ۴-D|tٍ9,Ү8@Dp83o(?ΨO?vYl}~Z |E/X쩬oq?“e*9oS]"MWʷ<n|}gW9,Z,Q}_᪨N ;\ag-wR|(I8i^_WfwOx^uTw^؇mmI='Xڑ)q4ON+섣vT)k?BU~/*-J8NTjd8nPݍm,K?]뉁zz%4n_Q?4:-r1ڃI@Ezosֵ0 "yy3_PRjl=Z)4bи5)e yfLTc "P2&~?9hC -R))v:,(ړ$DG$ǬzM"C~מɸ;M kw!g,*"}cWO;.75ay9.[K .#ů 7%GMD$BBc#^Oڭzl`;NFAF19NԋIxu1'ab;:iq}Ǖv-+fbۼ!\M?*ގ>mRmR嗩i|-Y= tǶ\5eOziq(8M}%y= xl89(]6 a 0>arU[~xzL88O8z?[X}"{Gۭ ߫2> stream xڽWmo6_!_l fE:4E3`߆4hȢFq ;-J AX'6]>{/S懑7+q"&7G>퀟i$p[dXVR8'"{b.WϛV` 7J ++&i/ :=1U5LeM>Mɩ==Xgc uzȮWV58&}aהuUYo-)=TiPlk)2&Yħ^MR#lL٢dlu noW@:|#N%mH̋M/*%pDy gt'r-qzʹ {S[ 2#8t_UsO~7bHM)kkMcr?/[Sv Eiv4_ =0zvBw(e\B)t˼Cz4Pf!s ܆2b 꺩\,^’ :s9mlK(3bkr#d8K9G\@'~em[kZ-RCYF ])+|WƸZ3;|s º(gQB~mU W}J[%L̵cAQ*p(RO(ڲQ b+rMrњz$C#~z:vҽ绫@7}`,┧i$qkJr >-* xaC*'v"Io@qWr`>je,El5<8Oβ(K@eGq²,> stream xڝVKF Ce jF=v ) !almepz__r8%C$΃G#GU྿_X oDxq >>v ?FĒ4x(c)Hq _k~Rվّ.U~7:GhP4%U{4aG_,29LC[kZMߊ.|\DR@['O\=ea $$wj2hvEGz!R8 N]j*_vKq`wE%Y-2mLb7\ Zs^l{F"[XMrLF.$Jo6 !DMml2}(~WTݗFպꉝhӝ:/V~pu[<BC }v'j$ Q-5ߴM'AjsZŪUkV։SO{HC+ ,m)P KO cȑ\w붘VٷͶUUh- C>1-"⮚,d\p0g<UI\1BriGĜ%q8]9$*P0N!=Ä X%̃[ zC'b\GȎ3 0/QcgM㣦,δʸut$бc3߿MdEkN J+tu$՟@#׫~-j'(*4T`RS@4e٠鬨 SX&VR<9xDG@ Ulq> stream xWK6QomI  Zm&R6/!FuyPćf37c!_~^=}ǨklAe\8˃moWx:-ERhD)&8y  Dy4pNn`y5 5ھaܾ(olIH6i}֩WB_uc;/[)\·IVS8&KAT!k'%^ENm:CFLa'{Ļ8N8}=,?fcy.v_$A9.M4 {INpb _p<2 r-|b#=@I&RZNhM*hH*GbdgÉ^nGAJ2Ey"NR%g0qW3G2RWbৗAL#YGm1 1SD<53Qug?BoþY<~gK$evf=Gw`J;qRs+d*Ij6y*h̤R?pJ~Β^QL}/θJJBUD921Y$s2FKxV uHKa(v8wAUN1L_kh<kqL` tѽ'X&]>O'HBwOЕ 7\:-|9RTsҢ MDd'Xv6̊z'*pvNf i̩#PW߸,@R o͕6oJfj`GN9y,U}[m,˼ m v:tlP}o8dOoC?hdz7+A\s'_#'ßc4,oO] G'7hL; +3MЂb:]#_W2ay% ]F_m endstream endobj 1683 0 obj << /Length 1258 /Filter /FlateDecode >> stream xWYo6~Xd"Zn  wYkD(;ԐkIv&'Qpfl=f<9KzKGl>8?oNja0p8q~n,rx^].jjUawjċ r5zק u,&z1B'" ҮwC,Ms0̑ KT<?j# 5EͯĮ0!at`CZqi=+ny.K^(WF+'L-s(g)I '>IF|*k5po++lV#\QQ*7⹎U~6UIVst,lڔٗš?JuLάwGu\su-A@~+%WMΫ86tAĎhRY E\@ "[LH]vZPq%bBEKd[hAnFm< ׃Brѣ4$1oH 02F;'NEJOb(LGxgEqDdRfNMy9Ӝ`V[ ?z>( !=O( PZAn=hbWIlJIGb$JckB&< {UiqfZ7k-%\Jlۦ:^yGBfR;kMLh ^l1#Jfz0d2;CظrE/ݦy:b·⁽P.}/4mrtN֚j)X UoˬMۅ Wj3WeSFu&P[V Iլi~Um#b>l X b'Vy۴RD֒̊Z>I5Kx?#zp_/%<ӎ ۵A˙jσ)gK endstream endobj 1687 0 obj << /Length 1120 /Filter /FlateDecode >> stream xWn6}WʋKQdlۤht/"%:V+D~}Jc] "΅3gyrwӳwwz0U벒 ՜oPZ噴 u|MȰQRojU9T4!gE5&Yn, O*tRg J= *ܩM +% C)<'pX5ڕO#B+qەO0l13L{2ލvN+ IuR wɿQZbM6w?FikۍX@Cd=¯_p=obت|]^~CX׉>@oWҲwÇs@r+CTOGx7=. endstream endobj 1691 0 obj << /Length 1058 /Filter /FlateDecode >> stream xڝWێ6@37D0BH2:NUF.SO_1s`;v^q{|E^pyKg^.px.C:q'dK8I>܇g?Ti⥞ekd:[y-o||!$ 4v$ /K=8 d,QVng@!lA2o9Ed̸&&!U!<tGPi}Va%q:R2$iyIvƔqB/߻rۖ(:n$q QgGԐv}9<~$zX%#DiH* (]qoǁɂ)8bqnp\Tp/w%09S 9E.yX@K1_b-RE(:`^/ccV!#=6MC_Xc4Z+ SG+M~+#u5#vD6f?^uFRVACfG( <֭PUSp(PֺD: Ӎ@`5Oyi'BFě~LV쉼hQ;9 ~vrkF[? 8AG/2R_=HNKHmXE@R7#lX3XNǜ"s 6j! ?ĝ3puꤧ}> stream xXK60Cd` b$m lsY("JYYrXg;RƇŤp -狟n.^Bxnbq^" MӉ_7^xaۻ^ \I),ϗ+R8ҏ ]X菞Qp1p򾁅\Eq +!00n6 "y-z'zǠ"f=SMon%J̴Dxcb) ,q '+gY 7vWgbQ &)22^^8 =mUs\RFJ] J$];bғN])u<J#ѷٺno:2K^B4 "!z.wopǦU2!6KERjWw+`Aax>2!GlA$x PD,rT<7'u+?pkuA~=\&; *LC]< &z ^Ou+#5~7^ jd݆&<+ǩĈybgl " S'nDX,Cʹ kaln6ueoVjŘvDS,ZuZ/Mz`"ZBͷjW}zu^{?,k i@cqg4NknG驱WzkR٦'c@|>2Է16ƻr|3#w@5`b[]ˌ13oC_ /J'YuB(]!0Pw;uϓR`d {};iM&yqtg8֯<׮[pkLB>gϋʑ'h̳1@|4v3>vA[CPB7/ Gנc5$n&@M*ܓ`ROz.Ǫ𿁪3q kilr8ўO"ſlK endstream endobj 1700 0 obj << /Length 1255 /Filter /FlateDecode >> stream xڕWM60Ћ \Q%k zzh-іY2pH[ʮ{"9>goHVwq%~g,fd~(gl9WN7“lSU3 =vRw(zi@ƽM*ή/\ ḛqJwYCS_2EQ nKBWˏBH wL'ҫt]cX]^g} Qھ*nˋ)zuE4oE(e:\r7֪l8ѐ*ʶkj{L4$I]FPM՗xb5kU})K Ǚt*Mޙz݂K7ZuRߪ\_ҁc_s,yk(2 0 @_(K U 9z, nyHmߧ@ B@΁hp~]eȖfCʴ-{ث[ÎŜ{bvm}S슮8-pm4ҢBafgQByB]PKv r^ *N~y>T7SՔ}t$P ƮR>Fl<ha$N6fzXl*; .QjK6 g[t#,O076U{*WFlM-jM9,U@ij%QPPcTÈW=>A xfLOF.;=\5#= gϨń_ɅsI{r]Jny< ?"k?I9swMH/ C )Xkc&s, FiC[Pa @@m s> stream xYKo7 бh%"%h ɡl۠7H}?v;ȳj4IĬ䂋' Z\l3Q Mu,66Pf6p]\fxr1F5)b`fKVp&Uh#iQX6b#ĥUŀMF^BDQll5ڔUm+$2DDvIB&"KѶt Lpłʄ`gsxK !eGL,,PD bkQmfcUntpPhka-Ƕjs 2H0b[1a ٰmmEK[ % .͉!Gr#SjK3F50rqTrΦ ssdul9pCX!L,BdJF8 p` LeM4'Z4" `j@!qBFt:RIt/ X))G[ ,BOs6+jmŨf}-UPVk0/P%6Y-W-G p]pdN_''}o,G˗׫+w/=w7OWdW&Wxqj| MVW`luyWޟ>YrZ ^`kp;٦L-`|}=1'Oc{0}`FFٲY@-XY3K,}>'7hnuyۆNÇDH=<ϛ-o2շzzoe׷* a!&@ͮarٵy"aW ٴ8(3~0ih䭔% >@lMVSjCӧ3k␪C5a}0mPNfepHd%ʞ\, w٫w㬳Y+CjZ|aHU]߶ .ZũQ1-^r vu;=24fTzz$Lgl<,s<);PñY$-睓'trc05ɔokmr`@A> r遼 !'΄b7Jx3&c'#eq;IO$H]tHg!vwQt~WgJT=UG^ž-/ )£ٟV# (w[TkA#;#+&VF[MVRi{sA ~[8xx?.)Z endstream endobj 1706 0 obj << /Length 1193 /Filter /FlateDecode >> stream xWK6Ce`͈OI&@ 4i{l VUؒ!.ΐ,Zz4'Zy񛧓>JwW߮^2 ɓF(eQd$2Zq,~]xx[I IeZ,%q-u{Wh)'RLeKsSUme&NM?LzM[]٣gMz{ N[u~4IRJrXs-_^8FH[.ݕ^{3ǢbUm\l};y52J 9gzB3@\JZ!``<4` ,TM-hbᏟ]E-'T*A^lS5ۃd%*o4iG;`Œe0;5Y,S_ZcZy\˱u bPtg.p{4DVW<*W#JLGf5͙{#́pɉ08GϚr2f2nf$O Ø#_%`}U}=$0\EYho&oz3]N,#9Ues5NjS<(]*ϛզPʞdKm/nTk#x#'ʌÂN$ô hb Qnm9 FPXi;q4!%a;qMdB\rjzS7 ɔՇu@^ZzmKG(00ciPêPfm.`}jǵOIvwA G/|2BxP9$UuSb"+xq(:o]{nKBe.Rc V, VK`hoo}J?GzTw endstream endobj 1711 0 obj << /Length 1835 /Filter /FlateDecode >> stream xڭXo6_a)Ү@74=e#1Y$9ߑG}Б(~wwgw3˳ΨO?Yf/FlvVE^D8aqOJ'Z}yQZH^-2/>u}  衏|7^tO(C*J XUoC Ti(`w<|g87G!cmkd)R?oֵ0L0?}lAD` ;F8Tycg I8-SD֌ ˻ZSxٶCK#MZ.!%"dt(p)q\~Ůcyq'a%=cbcRhh&k"7 5;:˶51%)ة??lnsNL8>κ}>&p~Y{dJN\aדN :[;-uy(9}XN/q!{" CXrZԪil^F$v0na ĩ]l3ԓwHjxp`TmƠ[v^CuQ2ɏӂ&1we/L16r04@K)44]O&{l=Q=>L>C<>;$7h;CF=~ @0[CAo>\O(J endstream endobj 1716 0 obj << /Length 1513 /Filter /FlateDecode >> stream xXo6_!(RVÀ!omQ(kU$WߑGɒM֖a>wGw4 h_30Jz(( dp ކ_rAݎki0(g2\iapdD@qKF%V>.L\nޣJM.>rovsM ,3¤auGh:z$/YXK *&xg^v]-q˪*﨤qzH=NF`Ⱥ۳ïy#Cڑp'3H͔r⅓$11Frm%"&1;0!?I8O,kȃyy ,9֮ 8_9mȺPY-H“9$arОE֝x;l|Gvjg&'M#K'&{8jN0"vO>1g鏾Vz^y9~pצ7X$9簚*踢m>."YKisn]x&J3\q>_Y} huخȕƃZ.Xo=ʣ"zV;5 os]"2%CVki, jL7"ϖږ6ƑiV+wnؤw ά]0jF}NQ9"Egop:~8wu^lnXByq{T;'8qt3?@zԧ+5]$^Ͻ٫\;_QaֶY*5_hGhn hU宪7|Ѐe"ָ̳:yinva|Պv*czW{8T(ė>׎v~$،pMƐR# XQz ~@ֹ́m,`lONe. - i#.nLZ ȘGx?  !& DObydŊɻ8:Y/[9ɒp,2şv endstream endobj 1722 0 obj << /Length 1839 /Filter /FlateDecode >> stream xYK6 C $IَS9{].-hvHf`c7_Z00GhV?/^_|u H$ԻZxy2Iq*,զll.eng\HufDG7+]㼻Y(])Q>"YgY귧( qI0@9LϧB6\=ÀH '9g U㰹hC!x&{wSF;q"BPS\.t.Pur"hVzs 14$<ڪF~yN;1؛pYfYfqnlRp )n̈-2{38uyD"Ώ+b*.3lqE1,v.o%$LƳ$\ Fs3'%{@ -n^,nF҆B]8.VL(!S=ٔ֎*9V$fwl>,x)ſX~4kW]4>,kc! wv{ ZKwvTW F; a`p Ш$9MO(3FubtVE^@p|z -S> 2Y2^!1oPTsKNpְ a`KX`ڭQ]W/`rdWHu 'p[HT Fܸ:81Dty~R-vtVxt"XO斡SL@0XY#mTTyckՌV#5%r숭"軙*Ru;;E`X4*Q^m|Pޣ𱟖E (aHtafZB.+@n@5J[*:)DsOU] vey/; Une-lr%9]w;> stream xڵXMo8WamfDRaf[MʒWR;-)lr1%q8fq8m<fQ؛=NJ7>,63r6)b)3F|F1F!eA͊t3(JʛN's;!ʘNbEi5e;k:<#N‹.F"1f=$#^QZ 6e zE_<-!op4%gxg"Դv 0MòsT23oZWl@G08 MYLoBv< YdY/ [eS ʍ5gdؖvv嶻g*C^Ӓf]d!q{78,1G. #8tTdlGQFQDɔ>Z{95+Jk>B]k)( '4$Zȍ=QJRPLe*KኲBFbUΤz@VL0XdԂ(g")GMJTxB һ9ʬNdWFE& ;nY uI*O԰ORL@~ 3am"g]JMBW3}t0YZ1㼚+raM,ƉCޕwڀ#Tm 3DfS {?t1 qqK{nTqa9)m@X g/ߛ^TqWqoxu~?C! endstream endobj 1731 0 obj << /Length 1538 /Filter /FlateDecode >> stream xXmo6_%`5KR^V +|kZ,u;ɢM;Jۗw'&xɏW'O_S2!e8#$GlrO/|݊4 Ài9^E.qWR4Zhz4/9?*׃U}>iwr&l$b CqL `V|bLo:,aKm$L&b]x2%e*LFYpSlڎzl[EϠΣ!J3+t?ļ}$I܈}ճFlnم Q`V+Zn%e{X %1E$zZG! +TԷ gK)0bY,LbsڮPQ0uŗ"Yl7b%V3bh;\~,V/ UGxNlQ=7,5BWަR<415Kh!9+],E# OIXdD%Fo(`HP'ɵM=of1>&-"65\F g Wi3Mh} mjZ,(%ݣ-I0A7:f!fp917E%>y#> %4o\A37t ڗXcE]Dq#Gī,A4 ۖۮuaznD/Q[fڪke{o_$YQӚeHcxؖy_`@qtI/zq#P̆/ 0bE5cȆ=D  D*=so&[Nqa_J|!QLˎm95g(0Qh#mpmxQ_NS"ƱG2>CcD3z0 2IPJS7x)$fM<;$4w%ntng^L!CY}1+ոҍS;DUalT ;LyWr@>{y%B=`DP@SƚWf)l-igF[K)NVho0缲4ؼR5brxmdn5EoaPUަ RcIh䚥ֈ.K-CKA+'Dڑpݕ\i ;s{ΆõkSă2w^4ǿ̊h?ݥ_q2N妥0&C]m㽊C@vNʩ}/\1t:קZ ZܽǢ9n8Q. pcG:o} $GF"w<%S}~Nl~И^{$n)\\86Uw>G> stream xXoF~_.:’ڪiէS)f]Sq; fa;773r~_}|. [+p9r=fcٗW@+DOz5C-(`Faϛ*ZB>eR%y&n%ɪ;xv0F!S|:(E)(Z[0a >GoԒ>T t&K$CD$ ㉋hN"jiVl'dy]Kͣ؊>+Ǿt,X%i#pQke꣟-2mw{|L,tK8 89PL]`v+z-e^ѡo`2!FT㍕*_njIlA-:/?#7u72#HFޖB̳*"@ ޥAenB!y}Rr)j6)0D4`:Nz+4MbXm@JƳ@̠] ^_۰O" WVknfp?öZ#MI7AJI@NBV(m5bs2TTT}jNR9dƸS4A}s;E \P0eM6;Piπ]]adc*Wk('YIiU RbB۠; SF^z]5 ET(MCM5A G͚u_8EoPǨG[؈G3=k-x@}Cx#{t bpOڔ&̋ > G>C(.G( Uǽ !|BlUAVUE{5VF8fyQώ, V6vjQފHum[ hjܣ( !SrȻ7$/T#ϣLhXqi;jNn΃HKD5BaLCI'RVD1eX'L&ABl_MV>Pg|M@c_44(-57l"()ttPb#8:3F> 4Ꝺ߇>eS{=Np e1WSpڻh%>k?ͯw endstream endobj 1739 0 obj << /Length 1039 /Filter /FlateDecode >> stream xWQo6~ϯI$@;,4 mѵ:[2$^G#EK1Oǻ>Cz]\\#$acca ˆx)Q1 t7"\f%*c+Ajyj6bOq=$m a@oC#f"ȯ1PDqa F2/J<˥NpDZcPQ@orc_;b23)3 hgrlNGQE*V(f(wlhvVY%-8dV z5SD޲tgEry\i:mx"_vm6QP%wq=q,U!k]?n'ޙx/T^yp$NE"څ ҢSD5}񥉧e۾d-쳘G{ltiF[s %0FQAs  A:dMD:=*|&Ow6_vՇHL\a=7>I.U겦ٸw+ƌ9xmK>y2&w; G ֩pSmNR/qM11=WOZ$3rDZAZ }X3xnǭUU m^ .,iB,JEm|i5ZLn6Q^w&DТ#Qe{ގ}#I~n;w"L(U.^FLEys }ͭҷQpPCi ~RTJ I yltpR򹖬QJXFش1@#Yu)_Z!.(J)e.o!p㴣_?v:"[PmuŶ>`;i;YeUHC-wC&iojAwzſ"C endstream endobj 1743 0 obj << /Length 226 /Filter /FlateDecode >> stream x3PHW0Ppr w34U04г44TIS07R07301UIQְЌ 2w36BVnklgnj QkjdQ__ 0F(J-άJY[ll`gifd5P pFaZc2$]AصUgdAڢz!rD- p 7DZ Py%(b L %ih.* endstream endobj 1747 0 obj << /Length 155 /Filter /FlateDecode >> stream xU0 D~v;I `!bD€I Bb= *T B%ob0ZpS}l4lZ-墜/AqB zbZё.t> stream x3PHW0Pp2Ac( endstream endobj 1756 0 obj << /Length 1854 /Filter /FlateDecode >> stream xڵXK6 W(5KԫdI:ӽ%9p-VWJn ,m4=b -7ǍLOxKq=lxX$i-7oow:Ktw:aDg O"Wܞ1皦m=2B4I4-Lz ƒd(d1~xbmwFQnwq퇳k0ii<;۰W wfMBTp`U6V☐S0:gjDP#djڞ]kq|1x,bJΒ{0H+,={%NHuRBK8F6It H]PlK7x!!rcKiZ)fOG[iRRP|Iԇ?l U`n=8 !0xiQwRhc8thҀ(w=F8˨k?Ԏ,Q.DׅoTʱaquuK LG۳D$Tζ4GHˮ1%Tn~YN&׹.4P"srD<Dygl*JI2#{Uk)"F/ f\5UH, dž<|jWW#ҰRLG\GΟ&8!(pFIjm帍q3B_ոQEN&> stream x]sݿBo' @\w\ǝ8!M()EH* )Q&.b?p4: F4$:tt5)6RaLBwfy.hC"/I~YPT$e{hw 8 x4DL)dqP} k@fA_XSFEϒNJ{p07p9κ u( !R)͆HSpGDJR)You*#w9""y;|c&9ъ+i@'f&K$^Ec"h"WWW'F;]*)3v䭷SĻB 0n`BBz;_RNL UӜ^5L*j3n g}seA/ ]\`O4w'8NƆ3lRR!ah(Z7l H`5*'/fRX }ZEV`Z7U>\iߘLז(0tH9iD ~n"4D^<NBYT=Gڔ5 :[l;Fv&wOX(02A.аe:cNn&M 0oE`#b<,THSO`].w\g_`֐ fep- ~apURD$d*怲b% egMVU&bQS !H5 O9՞rh\t86zZO5ʨp/`T~e^3 ޘؤMW&dw>r3eQ^rPk\T\R?dzUz@שi:ZMʦn[@<=ꎍ1 IX,qBRI4}WYRjkJ/_qyvlS"%MeřZeUke~3$˺r-jM2VKYVE@eh\mY<@8AG23`_ .7 d_254Mj ^p'9m~S朧anm m-u:ZX|[1h]t| uٝAҪ8?ƣm(.0vrU:SQT 'f:s_dJ2 vPR 9ZQKH|fI'7K%l+~x7肁'۳w|M'm3&>>^ .oG6=ʈ֭<P:ihE842 =O%=>@iFI&ix[tIF4%m䉑Uv$vYE[NMڿ'~{}},t>cݥLw^N;h%Fٺ|{ }MbaF*ҡ6-9,`0bxsѸ<<,ϝX74UVp21YY.i2I ܕJ3M?WQf>ĶO삕a)*ɒI1z<wypu m8#0# |4Y{h>ZňJN-ޞ{`kBeow vs \`F(T:%g]P2"Vڬ?Vl[y 1.&zGp_A Im9ah4a1G}la#ekX]ԷCzw}$)D)~=%sG2w}d6#7w\nM׀\DL('Kyߧ\^h!.inσ2adrkd ҷ1÷P.uki6 N8lګVֹ)fi k~I֡bjőWoe >W* .5]¢JiA8seE2ʛ0XcIE*bubT[U!Ѣ_RF0r *c.メ#S6(b}w`v(F<9]P:P=uh{3 -SeNOif=JY aSԋ+@rz{[wz tO)t8hB˲voM)D봕{o+g:+KSbaTHeB ],h&gK>y5.LWKhQmJ7.5kxtQ/6C 1\-Bi 8ךSkxo__#֚[kQ%cA endstream endobj 1772 0 obj << /Length 2541 /Filter /FlateDecode >> stream xZK60226f&5f l6݇`!궲jG3->ln{^,"UW,H/vJdqwPtFvstKZcD˕R:ۥcn^y'>yH} C\(d^3S {-aDjN8*4YY$T{jxR%6d]̊%<|2KI#o,|e垏eKC L{=Ͼ"vj{aHpoQ4j,16.1FFGĈQ٢D^1Vm2(afs،-lƆpeS$*3QSYЩ:. C+VSc+mC,֢8[G4z߸B P# JuDG]]b*J+W^޻'=ƪu75;re>9T3U-6@Ssmfcx}U7(v4;Q5y[ڱE:{gM9ʚy02} Kr. *w&iNbvh~N0i SZ'm 4ۑZb40MSqd`3Dn`㟎t g3tT!l³6>bѾTn2F#,75ǒ Oâ`JbRwXUj@r8A@mA/,bZR!* ΏSRl[ӐCӸmISW4vm%#Af(GumRg;lLC1⬛=B#MlX燐jx;{+HϙF1x˧D ֬p %xR0U?M BA@5YvѦ(q%AxmF&d& +ȚGf$؆OW)+ aݍxDfmf>9|O0Z۾*1GZQh<4 ,C=aP4ݺ{*xEԵ/585K,lŕoBFxyW!̑q[u{$e'J9t) "ie*+ rr☽\$tUWra-,A+Ljp1$>& y?ƃ Q(g%aI5$F",yՋeY2ף-d/ z3dOIDOl\ >" h }t~]A} :x.{KC# G'b)t$ "D%W2YJYE?G\[r 'fN-}TB2<[K >~Cw9BQBOjP@\G݀{>~HI)mSkHFqec@mه ;^7 &C!#6}٤>ttvGM\=$oyYMGbdIB& o~P*hц Tu5LnJtdP:rD7ޔiM.M6#ΦM^XN؛Q㕡/`-8"LA" Ͽ>~zV}\0̐' !!R<:Pm$/f @F㾯'>w{ib4ghF(tpfDH&qԭcq^3t ^'vΓzH[wkA'+@k$.`%KqX?-zA~d?\ATE3H,F8' n|n3@ukې sm&W.m2LaϴUʊ6s >I}rj:4PQ=;J`=)7CP?jgW`Ti=ezx7g@dgć.M?󴟧 C-|'>oN9HɠW줝xACۦr3z[ wU 8xra{}HApm{batwRN[Ϟ6B1˼ Pap "4bP{hE< N&N/\.BLo" x.O&{ ~O|C>Ƃh?~sY&V )ERC endstream endobj 1779 0 obj << /Length 2527 /Filter /FlateDecode >> stream xk _rrZ$iQ AoI 6m+'K$zY{uZ_,y?,v`n|ǣXd|q]$b) d,~2͟ł, ,2rDzEZ 5Mot`iCH{P `Aaggc r;~ `SV=Sjz)oj8nV[\Ed*g)$H r]T=B!R ')K!E9f)RU[|۽i0ZrO>1Z?<Ե.`l0G)D,{N^QRy(,{bPAX"5}tcnx bfkj!4w{ ڼ>#4[HrE41jx('̀q<rLC#^[zmyK EFz!iJ8NS'#sR&s~A~p9!tnc9躔bL`s ;/EƢ${җq8AuW8  ͮp~R0逿$ P2gq:P>VByU6CS<6kZhOeI3I< %0uV:oycyM }gSmDcñk9hXU#FŲg% nuBvoObww)K5(_J Ob CeX_%eDUNSF"y=wq0!#@Ɗ,UYV--|jZ_ei֚{˃) p"c~/S wd-Y v95O{knv>8<G3D r2~xQb$1xi,hq xa 5-2ʼn4+ @hXw< b Nz"`ao`(XikDDv&a@-):s!L83BEDgf 0EL^O(CL eTHI ׺38sHݞm.4GW(O$\*:Ԭ,I8cUP3pl`(Ʈ8 @4/!-L|BD|Dx9C(n M`vʛ6p5"ڌi@22״` Uن=r"XHG@w䏺93c8ғb"̲O Y,~Em;m=4AYg<8- F6U#xqUc$ٛX A$!~eb,c011Kc(0AwۼH<{:0m&pP52gl66z3;,Zm*Б2 ~UkڽaF2p!鄦pE4 PZ0nޛ؜HX5ƐWC- 5I*pl r4hl4x^hfd0Zd*mnbsXL(̩`8)Tq\za6q_ktQ$OA[:m[ ,ϠA~%~լmrMJ;`(-{<^__Ʒ `0.ÿ//`0>2B1%]7k=_exڪ]l68w%`=^ ebyFu"VY ,ұPOrUukC>+&u,ZZ+X,=*fbD]Ot_/[,gTv4m;XXwW5kꜺ~fVpZf9 ͠JbHjb(Mxܗ5}` PO@$y ;0'\{t ok=T2'oKtѸyM%)L}Gj(᫭2 ^TDl?̒iİ1ZTv.NZ/y۽mHDXV>ܻn-VEiݨnmwW endstream endobj 1787 0 obj << /Length 2103 /Filter /FlateDecode >> stream xXK6W(ˡ6 <WSIv0+P1E*|x* 4(Rvg9ht7_? .g^={Gˢ"ዄ!jqY\/Jr$ip+,} *]o-~z6RSR%! =cūOW0b%Xn>6{;'*HR2 *{Me<HJֺuSEN;ߊw?n+ő85xN`ǠѨ3r먾Fn7>} \8TǼ1ʶ|=w wZEI(yX%( mY(ڻϗ< v}(EAgY%%n,Ӵn=9!SϾG, >櫂/!E:$LrdfV aIcF #27b}I߯2HCtgw ե! ݡ[Yc&;$5\bE_c=-\I& Zv&{_|a8s1F2z$ƣ?{1H9D̔wG ri .,MN[+Xn ӗX$ȸ~ _š!1,i}QweSwvMKtfOnvgL?Vf"_mC7˛*{`-tv'DH n;oS{›[>(qwjҋpa,nϚD/F₈K"޼gϙ S_f<)CٗE Ý̎eTD=^qe@P2Slh) C(7mЀĻHȪ* zĖfsR /s~rgRm5VIfs8 l 4{cܣ-h,$n]aϏiM(ZJ 4 $s6f` Mm`grƆ6zLvXIX% ޺ICˁDD*q6XzR8X @_|ʠR*N&x~5*0q8Éigkh$2Tl,ǟT$kL[J5bc8TT~`2 IlIB,aWr!̍_Ԭb$qfLBub.Oڳ( q5=j8F*N10>B0U8Ħ%šmLˋkLWWTԶ8HvέeI*SPl315Lf P(;W$ aOfV$JԚ{86\(6`ʪ`V 4!HUM+e{`\59mKă"Xr+'ΣomDӍ3N`$"zbnCR0b}F3WߚF01 2HN f^ |/vi 799B%Anxve!xiؠ-Xτ4B[ndI 4H7J.190b><<6 ,[,}tO5 W@JF\?.`~.̣k-aHVo*]e30TЊOlCWv4pCȘϮ[%qk s!)(;iX8uy[%e鬜5*&O5k^a(0GY_Pm[:ܡyÈR^ T~4b=;Q >C $H7s6{_c2F:V|.bscS9J 9# [Ddg\_g8I endstream endobj 1796 0 obj << /Length 2466 /Filter /FlateDecode >> stream xڭZK۸ϯ`$UYX< Ю=lsI%V83P,IdO7Ri$e.Cl=d4ݟw?}b*c`><*U\g_gE>+<ihU8Oͮi|sxb lj;|*)Q<ޓ'<`O쏹ge:^X"`52~2ufzjrS@ےBS=[>z}VzTٻe"QiߡzfZU!!=i*"]vkeO >Mi%Tחu;1tߔp?s}MԮ2!g% ܳWf;ZrअEna\B 0ܾQJSc4j bsvA(!8T}>m_ U5!x`S .8aVI02 0\2>8gں/خ݀+K% 8yX;p8\:pSSݻI5fӆ%~SK>9= Y)5 @3hs 5c\͖B/`97/xNm3 ݆;칭AO :$a*菄es”B4VEP{1HBv)$,ȇ.V@U i.C<M H=d7(NX"6#G#( KDKByqW'4Q: `QD uEb'D[=@mlS7!.`Vh)xlJP0+Y! H4hqV@KZZƒ?ծ]_%س1JAS2=~hzb48'Wf5}jqo*2E\]ކT2̄"lwF@!ǘ1'މHx+% X հ嗶-srIn`ᒇ^%vߘd n~{ T868V!@ ᑈ%orGAQ|_:(Fqd5]PGtqY5-t(ȼ:E%$hk/[QG>o!b6;TXjaމy)X~q*rZh"!i`o UUEsw" $E݁nYy$x'˞S~iI O;ﰐT亦18gvoxsi娹Mg%py9 mWԹ4aPbgN&L_,Qn2Od -jfDOZP˗CJ7knd# Q!NdF,HqV *o5aLV5oڲ~N,"nߧkf鞽Y\Bm 3 R 6?>&kW(ǒ, XOp(-}9$p$B>l.bqp|q6< my`,=-x`Pr(+HqH\ !*A_nL|}?F*bGym5<3&,.okl &IV(ZSs>H-g?Ǧ_O|Gqy,>0lIMd4[G@U(> stream xڭXK6W(1Ç(J96 ))PDȒ!I3J+yuݓp8ϏC~yw7Rgv2rexxWsaTƘ4Y"|kQ7ޮݍS6 dfjǜ WřqMb)uY4rHPQ?vHچj_6/D;IwU>ppXor-}w9}[3*>dTQl3Q/^mD2W1k{ v=96oJr$xeXfxS\_)زۅ` F Rh8HqFFJP-%i-Q&YmdƤP$.a:Vav]>SF 9Lg1ʑ,'jYh j&w~mQ%'(>-t5mjfꪨ\@Y^=t_j@}šȂ Ed`E]wE;D YҨ;b5%@\ w< ǐW{W9e飧@`ܙAOʒ .4~Nbx|KE'1y1`W`ߍ^,0*U¹6mS|چ"J/QH_˽V*&drUBNo6sepGME:L]d+tpu&cL]``6ɣ~Q\^b$prf Aӵ+Z^fJ^Ij R Κq5E\L4'c7xbsh"OT&s"[RdΙ>^`bbAybEa_- +rVp>RgΣ'X1+L^Ӳ'prє-lCQ 1AY1Ǫ< u;04 }h wVgC'^"wioN. ͎9\mxM|Aֹ6p >| ^jQWv*Lc̦BM6O'n͋BVpLX'O@xDCxiRA):[tz^牊lJlI't6H0yti=D9nWѥ_tsp 6+O endstream endobj 1815 0 obj << /Length 1724 /Filter /FlateDecode >> stream xڵY[6~_A_2 nHhLI:m/IX̮I8q'?GHf/ G|\{~+z#nn!)f_=yOGES.ԏwjq +χ.)us<‰E\ Iɚ8M BÀķGEęu'- dD q:q#"ِT|yļH} Cg͏Ll0@3dcduI2"!q]?- ?, `&?ee8Tʮ IC+#pyL^k39aLB<d[1\xiZӀh]7t׊~OlԌnt׃u^/SѲS?5 M:urY; UY-m4V L0JT["DWLydVERWk1mQĕ ̇oVUtws9c{FAb{|yuBH^S &<K7ﰷ`ȻkE Ҝ͘{]1A\є7ȍQ m ȺNIF) 8dE\[~62UucIKz"8Z$=T0"b)'Džn}>Du;,09Ra0!֧mMԅӾfIY!TAHU}_8A{ۘP*%"R#)mwEYmVYb@,H;U.vu#YpPi2eCOI.wl#^rIfO&']Nuy!̆3B2PG$sf<3M i7z}X(:bQl4#RD$J%!.*';2Ϥs6:a.l ߟ$=X$.tIl<)섑RbPS}cS';Nt>N#0Sn8%Ds}qS쟚G0¢P;;"Q`> Ѧ`W:ZLsq:3hs> stream xXK6QboJ M@boIZUȒ+y9,yxr1ѐpH-ⷻ_^l()hۅ CsBZ tkJrawqnVQ`a*S (2iM0\8jNh ;… |P}= "W36/IpCR ȋyӶ]@@/!H.G `D13Gk)T/Ce*إ) `ٌ279G1MMĒ_s1A )obnbgr}0B&9n,s#3٘μTћ KA@hÀ\kTb}\l]@d/QrۆAچV_@gNWPq{!.Dm[풛C,YCaTNQPQܯ#u)c J m +{|4ɜ]m#5FgW9Hcg]1H.#Q=`b@ܦ攔(]Ts`3ծ)<06IcgB^h]b(̃0EdڭQ3Z6 zþ7qn* ȮzƱ%,-3QnH" IXΟ 9las!N%SSY_,fNT~T# 9Jq4\. ) tt vEsg(WAM+jtyOl44e]]Drؤ 5yi$ŀ*m uW 70:E`bL3Ɯf#|&"0t1 vsSmˑ@#b\s(%BLn6S1Jh2+7iYOv8˜㱮p(qGRq8)LƃȭMxaCYmgIoLx~,ee͛*Dd'(|lz hduP󄜎lDmC1oE #o,fqSHGC`C e|X86Nk(3*Dǣ-u^S8aYwuף7|W!0>idV; 5{ׇ.hN endstream endobj 1702 0 obj << /Type /ObjStm /N 100 /First 981 /Length 1606 /Filter /FlateDecode >> stream xڽYI7 W EQC,H[$9d1]H}?qy9ؠf(ҐTuQ E#(.I5AeR{NR'ѕF$fU9$ZM 1Tas)yCb"&D@C/g@YH4s"*"^~5eT_I&.E!VP%*ی$.r0CVT$u@Cp{V@fӆCJ%[c4B%j&iSKUK\JL%n38ٌ /dQ.&7C*lk4([Ii`PTmB`j<_8-/ǶLu@^L7(FԸy5I=_ܬ޿Zܹk7칛^|sofxe^/͟Bbywk@llrqy]דŇo>p(z{֌]ٳ1ݵ/OV77Mxx3i5+!I^a]GW&\ 7 _+7澻̏O{% ΪhSUO_+εX;b.D"i΢?H {A|) > /,l-A`:nN_Hjui=Վ9@.9yydνȪcy#XFU 8v$c4Ac^z$(iF(مdٌڝH،pه/Ң$[HXwŀ aQ$ӌ Xa^g=o SH )gԐca-FAaZr~5tN9Lvj=f6#_ >u+%LsnS[giU',t8zّb14#a7;ڔmёF{ۛ[ iot$iƤŇӌ1V:4S!_ŏ;>PEu=ԈkOUwz7]FbN3T=.u1%ˣiч'mZo mY1)|V4zMBM[;~S}IvاE;a\}twϱP>dBsAKӌY`bӌli7;!6 a o!Ly'q޾НZ:!ҽ%ZA\ң endstream endobj 1830 0 obj << /Length 2224 /Filter /FlateDecode >> stream xYKsW*H'Az6Tev/d}LhE Ig?n LS. 4u 1я7"FIF3=DGJm+F7m#& Gzł2KjuleᧀZ躲; T4 Ib. 2<5lۍR RHS"`h66@JD嶨Qv()eF1DIgN*l$A^f)SEVh5Zg+)Iٔ- p;|5?|LM?(hǐȂ U~om:*B""ry{aG]0%`$z7_̶yLJPouWNrcMirZdeneŞW:n fϋ+E: $x1i~t/}Ir30~{14~0M$2}}~1M/Yٜ;l>$ŃSb/< '|)h̿&MKTyߝ*7VLʿLڅ0 A,f:~Mä iUq' 8cbt*R_Ws/r0+Б&W%#Oe? %ỽhݲ芹DԘ͘k)@U^u ߹\֏vCXXs_ֽFЈE->Io?Db)%,&ۮ͡{S`oUyOsíy߷?h 綋"SX _ٹ3T~_X }.w;_w-/?Mt}[l 8EѢa)qOi=mK8ǷyߴsuSMWl]C)o$[6=z=_S%$B|2;\츐 nyÜXgH@{`iş#JDFφ)$ ]8藛8Yr 6G5eY$$|_^0VyVi7Q@(JSpi"!SH5 I3>('<#rnwgim }Unr3^{ GMU-+eKݽL4Z =T9 =Fg) 5y uXMejT$X V<&I'Nj-Oj XĞ@mlX:*Fil2}:uRO6z. /ϙH"NjH55òñ)p/w[/k-ˡ:)[G/Q?ʰY>=*`iyi0Ԟl'4}UMeMOM2BWBk?b*WNE6mrjM %*k>7^>V: Ztqs=B;{҄*񀵃Q㻬pme!IKi̹\جV} &PRzQh h 3VXv.vĨ!B@  0ӌ6͡KމT!M'='z%sXv=O}G)a_au3q暲m7p7<HG`jlr@BLnRծIgC4a3vA~T)k # b;vlW?ssp@+NnG ,>TV9ͫnxLF5Cؓ iN81rvϻfX}\6WWlkn,ځKoia}6S`tݸߝ`7I0LZ[ ]1da{gj;6 z޲7q$GD7ˎ8O!ZV#=r3,zȣ'V Um12'M#`4^oj#ڢrEiK(F-`ϕ@EaI+  endstream endobj 1836 0 obj << /Length 2597 /Filter /FlateDecode >> stream xZ[o~_ڋ˻.ТtK"ob+ EJ9$%Q2eɤ}DR|BÊϷيQbaUW M ju_lkM6$I׷kW.=_nIbD k9e8d$Q qYn^gMݕy뚎m7h-YYdmǼr흥v_-<4{_ Oܰ~GeYE}3Uߏ7[&~y+붨ϔɪ芺r-?SE% m J.HNb"a^E?ʳ f-:',vYQɽԏUw7mV9s ݸ+RYۑ,_&[e~':ɖ^JW0#It;FpjO`q[Ν"ٹaSA;HmR >ޏ\ :&cJ , }^]Eto|QY#qPRΓ;%D$$IrIT2◍Ѡm;)ʎ_!;իE8/Dpy~Пq ycfQ U0j(P^KAG,ƅJ/Ѕ]^6pYp|~ nJx7O\`>>D$;1!,rˮubPbN$ F[2=lyoUn+**EF1̟ ôxH"? Gmkl_NGv@n\Kp.&*I`4Ebjaɤ\?%.)_%k$T$8(Фׅ4ڡ)vhGVg}u( : M@b.p~B e5X*'B3E1`w",lh<ZvXV_|!5VS|.Jm-KL0 P;Ut4H#"%o8O 0#1孍)e>O (U'Ry20eIocL ׏OTL'{&wo伮Uqt0S]d X®#n{uCh ͷq["gIy&VfIqbRD՟懙$Wk WK\$Ʉ&0?1`׍P/;0gp]suA~ewIƇE*".on܈'EԨ9c[-F>rJ_q5Ic |DxŔbiK(.yI;p5w,15q֞k(h4n1[| xouc BٗS@C nѹ%}Xeb%$4,*b?t1ThڳJK(1me줮xvR팁h¾E2q a2B7-?VAcoVɷ^\"z} X.7sR?ѳ zL)$8rX֨cGʰp2eKzޥw 1:|*JcవP!OB^ FSk. {3N!!LХcScDHA&'HrY1GI{2'U; 0g_'_j|De;zyL'/WH"!cj+*1{.8! S;r< }b o#薦;EK" IO&Ae ׸b&<Y}|W{u/Ga+ޟ&Βa4KD.X_fV3Z@x$M :Yȵ o@Sgtv.fGA:`%U:OR@pRIhqz}w9v#n-xYJ.͸N0.;tubԈ$ _;I2)P=ߎ}:ןLnUϿ~/Sy endstream endobj 1846 0 obj << /Length 2860 /Filter /FlateDecode >> stream xZݏ۸_֋ƌ(R\Iq}i.Ї4@vĖf %Q׻w(}$of(GUӫ?\zA&+l΅Q?61<}1h=ԯzb>="J&_x\C4RhyV~lCvY;jA9/UPg¼mݷADf<ƃExpdOxeN\;E.v);ɩ$,{>bJH0 \}QSPT$$_@7mGzlLb=|]x3a(Z/u% 0I a3N$If xd؉^nV74FC9 V ,['8 -[|R`|][2Zr-::y;S~+= -:#jQ~]몛ӇXsڒH|$PdP{^/Ww]cm/wmUP e^l}O6ܧ (8M@{h儉0 2/ĉ10y fJB<32wݑLaJܡu][dcKSɔF̶IM5xXZ߶ j̒̈́>֜'Zi?JRSVkD:ܼc`8r@q \gƉ yDX~\0ORelGe 7wmq~nc~w U8D C3 ΝˏFj_gS\ng_$g5%.SZv Τ¼Dz3>>2|卵xR7V7.~z{)bI' ;a+e^BoXE¤ Zf>!-SJ1wq`ψ@5@tUO*ƓmHq؜Śm8]9J' Ң'_'b)R%Ozhq+f쭡z?v:iK!KؕM=pTnu4G oG*m6!`1FJ[@C[>p7%Ok )4#*Ά2"k@X*5UKe6 Ώiػp8]MS]PO4J^Fdmr1 <@Zw!'50.q¦j8i.h֗Bcb>ϳp>xt\c_0#雱B=PJD>7Ef(b#Ro˼B[YgC0KJ]Y4_dϔ1[ʘy2Tl.#ns<5Gָ+c Vضă_5m9;*1֑P fj\ 7PwIR6AOŶ,Y/e,999ă>@m$r-ګ4@*9:CVƬ>EO=6P9EW`UݣGj{I{?G\bfkϖտh]5 endstream endobj 1856 0 obj << /Length 2057 /Filter /FlateDecode >> stream x]6}>TbV!w}-r/]6mJ[I&@~p(YR!܋E G|8]Vꗫ]_+"-z2beҜRw>]o,K4[oɓ#o}KT>o\MJř4i4C4z7Yʌ*6:8O$6"e )Eү_#pq ~G(sbV6?y6`%r'n[ڊ6ޕV͞p]ޗ/z4nC>(xS.]8$ Dap ϘA[oJp۞wDjCY'}C{^!ya2{"PD)|AkY1ₘHA/,8h]vXBy;m Sd#M(`"! %aU]oåmvj[Y#}@qu1gu xayn$dvݱOyRGz_:#@T:C)-Ml+Ysrmw#pa8UPŁQgjK>HҘ{b5!*@R<_(I1Ն3H&Oz7!d1! ɸQ3clA<7Dr\Vd$/ZW瓏 >QO` 0|EXMi喰ǀ81C!HbD݆IcȔdi>Ɗs&{?SfG2\S0Y Yp/BbR-+fyh+]M\ zo䥕1F#0?+DrqŢ͏I!/Y-(jR6q0sΡyw1AQSo.x?>g꼤E/XCۺ! r Jmӆ;95vr-(,--4T XVRu:|ۖwSѾ2 Om,"Yğx+" 鮬sϻ%"մ&QCCbF%%sH9Vx4NN$mҺk[PvbaIk<)^T24;҆%Lj8c젇 U |juF `)PU] QE yaK\MCCX ANxۜ{hB߅žszWr_'!gú(M3!XsD3UX&8,zOY.G{܌ؑЋSWQ~ؽF Q-|[/`[ɤHzL h0m \x=Vpо93b8[z<!!*X/T1& &Wdr(Ť_7T<* $1#Ha HB­QLf82i7mG 5p0Y2,Eo s/i~D\U*,lum?q_epyn[|N>isNSJ H+ a'K'`Ada:5 t?/3y}+~p | >YQV.܄H\i >'`<4ܙBϹ|Yhk6a9< endstream endobj 1871 0 obj << /Length 2114 /Filter /FlateDecode >> stream xZKs6W Ue'~Lr$2Iӎ,A b`!5xj,|u2NX3z15~|_X(4 (&絻Aɓ"a/< vΟ'J^/[G_ ݁Uw^%1X.ppOJonO-n^`ZT!Aq},$Xȥ]FC%# z9?NYg+GuYP68tK]w(Mam˶h)o dC/ PͰٸf2#wU=_YUY^r_ܲzPY/uԻ~_O(8%-YQ1i6yBLj'KDƗ2DBf7n-CUi*<ڤq`6Ԁ{Ss=]53Y?xAu줮zg|7.fm/2᝱zyΗnkvwx4{O7 BG)E <fJ}& n6&$22f$V;SպBGtk% ORؿtuLz2 0\zUI,؅MUw{'u`]c5Y\jq yžC7'L$  NABhĔ瀅uV;e^uՙ`nN;zX!Ή:u5πk+bzVDa>Yt}H*zc/l)}$Ef! O$ܭs#4lE~;א^/fq "R2]c=IT 1iwv Y//uiv_Mmxڬo Д0=*eֈ9P:v] wA| ?P7Q\@8hB c'M*3@bQpn8̝R< yeSs|p1%  ye| rGGc~Q e賔wمK܌:r!Ub_ބ>&!70^ǥqA]-{`iQm̱qyQI(R䥞)>8\QZo> stream xڵ[Kϯ0Cdlr,XL\zGRS|A9dUWEu:[<)ҩƳLLJ?7sW4hR%u|9mM%l~?~ᤌc$58fԻԋp)\{I}d9%IK*TVЍ1&J='8o JjUV;{4KY+{ smm519J)wXvTԱ,gHw{/ y[0vg:]>5 ><)GA\U#AkXw } #a@ ;S>ٵ/'Ϛg`Bٰg uوSPÖKf(TDNy} ^ⅪvswF--`T Fi4(zYx:E4Z 7B>WiYp+у:C̦Z:8$*p>ܿG 䑉*WQIhOZ0Mi`q럿#"kFxBPVcnτyBU>a~6G4?JFeg2 LxFBmY84qUkoSCc[h45p=/.3v+Pg#ƼO5.g^G"փ+sB(f2 !'ObMès+*AM) N1~;>eaCy*ہN۩a \áʰDžsT3`*ըE+2 E䅦Lf(祶!λV5[6oQh3?OޫRK:?էy6~ 2FS]bVUsmj\7D'UL_KS3UsD;+q+eVQuipʰF}wT:Zmc {ZГm8X԰a& LHMGl\$s7AFTM)~ec*%#'0H$KQ^W_JBߴ @IS|ͶnOP1:$*ƠeX  _|cU ʵ 88{>Bf#l* K چnSaQ3?l[>ƃEJ0"t2DILOѹ ?Dp0 c)"7ۮ7esF-DUX;)C6},SOoY݅PI^oL$v¿}͐(-B!͂DNA09ܐ?~:E7CT_D 'c e.t= ה[䨯es~Dv,wus9*STN#`ߗOO G.ԛ;x4hMǭ0@7X}`\-|<$wI~̯cu[&(J;JǕsG,W2bƻK'Nm*@!{7z ?`'cDӹarX1"eNzSV 2@Uݖ*^ywebhA(y=jx-;AY^5 #oC;Bah_s>dPQK֔ӽ< vkP' B9T@vP [00m[]ela[ct!s5Lf 1!BuPg{dO5Ï6?(o~ endstream endobj 1888 0 obj << /Length 1871 /Filter /FlateDecode >> stream xYIoFWV / rHH/ZߒhȔ!qo.C% q޼fxO7W?!bF02ؐǙ35\nVwr+>yٗdzH oFfb`ey=_.eej)FZ7JH`"3N D4/h9:VdBt?~R);AjҎ2I{Iuώ^ΩE3Y>t#mT+ Z г+꫃ׯR>YP\Z1 1 Ez:NbQH2ӌ )5乭 u%r T7F5ܨΗ.}s!|et <qi?'*W_9cAetwʿ3AP}uIZ=\NMpKcRqڗBku8J_Tܓۧik}uZt:VNF"F(HDj0}4 GW-ч>cKj;Ɏ ֭{Lx]%Tsj%X'^VzT+lp\iONvY1fO;O "ߕ#-5y)=FX. .MVJR?ٶ>4i kܚV[w~Q`}\G@u[d,KӕE.]9gQ᥿nveM^az,#,FQByMS cy Hoq(# rqZ\r LPw4ʿZBN]yڻ>5C%BD^4(]>@ɜw(× 'jw/˿(qr+:}T|9](q'Kn`̗ݣ_voڊ۔w6E8~72߆uۿt.we4Fg͇&_:Ӧ^'1I$)$u0ӒOM1mGOQXVW : */G$i[h$Hd&iIh(t-tCSg&vSCcB:|J|J|%J5eii=!!7۰{ ~Ż!@h1<$bн9:= Q1ƽJjܣ@ڞk5]v໌^E(YگS@ 6f[8"rϷEyj)GXCKB?2Nib$me= 'N ylTӀb[-<::'oY<7$*$0$98K˻⼣$랸~(͖~HE2E"`5vz4vUj%5lB.>nogUTT4PRZu{}M/*Gocp.Im=GcfGmX 6 `8}Ԕʴ>ߴ,ae"}mqi]Nrܨå5qDー: myvt; 1æc$jiddt1{ KUޒENM{]%"Oˢ(SF-@Ԙ1v}۾Sp{ffw)} ΆEdڞ0R{NJ kSVu^.)65@̀I$ VHQ}#`M?Ik0c;Qǃ,n)rynvg}{J/7W . endstream endobj 1896 0 obj << /Length 129 /Filter /FlateDecode >> stream x3PHW0Ppr w32T04г44TIS07R07301UIQpH,(I-566057H;'怘&9y饉驚!^nȆih`Reu:% endstream endobj 1901 0 obj << /Length 1425 /Filter /FlateDecode >> stream xZo6_!`/66&}sUlvaˆ,;ي,)*a{|w'I/~x󑈈`DWwa.qt= XoO|4"1.iIaD#H cB|ZgloJ;Ҕ\bVl wt> R]^2H`DPA:UZL+I'CWq+#8LCE(_F|?am5V=-d+dEq 6 W6rnc S.Vd8;KX˧(1҄{=H=^<ɝM1uVD& Jnb(y?[-DXi۠[c&Sǃ!ݼ?ۭ"$Ew˧e\<ùaj)dcyu@e/ɆKh0hԅ!Z,CZ&NN^*/Tg7|w!C:0|lӜ24m/II!Ygs_%ϖaTZ!)¨[=|9|@R'"X{cRo2(7(Y=(@rdd(]O{H@M)"Hx5GMuVky\Jn!C_OT@{C$cԿWB\DNx2;.!nֽ1 %gWŪbNGgA d\ꌮŌK^,%Q-<^ eUʩecD8Ϯu^uԡ= ܖSԪ̺5bWSeZeM aưCއlnUz<*fKki5~Kg$Jא"@S FӛȌIJ?q?3ukPOT1QKI~n( $|7 k05Ȋ% ..,;(-i}}S>ƱvP2FO.s?H| endstream endobj 1915 0 obj << /Length 2191 /Filter /FlateDecode >> stream x[[s~ׯ N8K/}ؕuU^R&o Ҍ o4piiǛ< \Ӈw;# ;q"#ƹuƇ*)V ʋ"luT27!Y˛w8h eF! Ag-B}<9u<B$[V&%A('jQW4a(y(y>z cVR^jy6( fE߭< I,'FJws1Jg%$?, ϯ{X1! 2oWk.{0_PSZBјG("Gߛf$rp昑F{(!x&1gMP*a'gwWY}mRb<8o("QpN!x "^ErE|,=N%L'N4]ɇ Fnb (ca)LVAc2Z)N InaL޼.# yVTu!&P[fɃF\^\8k;WaaGkݎ?o 0ls84c<@Ҥ>*p#r +L1qdf;vm P>.CI7,\?Yl.hܕQ}0V>c߇Qէt4_}G8 a5sd.k=or"ݕs1HXqn%̑ 7w4`qAԏ"YFmQ90zudyW,+題B[E<}t]0ԁ}^5,q?p%L̊i\J^ayaص hR ȩ*2k3@ 'L,r+[u勚J}^ovqQ5^5~.uRZi̅JQ*c5t49UI iKZ:9IjqνҬzwi}Hݦa|R˭ԫzm+EtI6IЪuȵ0mN޳SDV{EWy5/6ZUq@+ _;D<=l0 $E-^{-IVn%M/Ԣ]&/>uv8 N/{򵉞O ۧbWQ2S}^F;ڗg'b`;/!͕}g'qD .\P J%;UckESϛ0? NP:Ezuw6p pETp^w q|J40`P{ x=r<5af9_;q_0bIصO`Ä0bͅlW kEY=%L9mO94nSSQ 8vQwwOƩڏ@W&ꕉJm0O^Ӟl#1k?3kAPH"1#PC_[oδьlqdu)* )'S`?frd_wՙc;r#^,ӛ1ǡ0t]Ia|L!/ [Oz CB1M[k? P*IP@(硑_Vf]3mDY`$" r"i46_`Qtec>ˉl{#AiWCCspu\dd0 sAΆ"}iT?ü}P< 񘮤j<" /#‘`T#-s{$^mev/,?I uӡN5OZmJk}Ȱe?.,y^YD3x<Ë /A]˒!jy_//v"_E,2ۉG3stx6 ثGCB1j{^@m/,ֺzgZE?`Ǐ>][Y`*_fYB[cAt^)Q]f)CT]} Xf{O< Atd*@  ~yF@//\zHq(_(A Kp]?Ilcv:ңdU11g۶h@`UaK!t endstream endobj 1922 0 obj << /Length 2833 /Filter /FlateDecode >> stream xZKϯQ"Er.F.{Pnemɑ䙞ԃH7 䔓)H_=ls6?݇BoDY-67wRnʬJ377͗Dl_efʇRnHk%g]HTlwBH}Ns?3R]+^O@46bui]U:=YqY%YV9kC??>w*9?ukv0RɩY^} |(10->[U`m [2t@tܶTn@x&*`&i< ekKO}DYy Y&7xj35]|L[up6in`B'`:]M%.vvt/ 㡛tt1 :@"y H*i.P4LgL$OT)(-.[I*ʽD*ki^l,D=/U.Ң(^Ŗ۱;\J>4ѭA\1Q3 [+F賙c, l)ۋGPr7lA9!7#w-Q{br-RUsw4vo;7JcPq{{^7ͼg@Xs߼XzU[e@5(,G}QO?%;fI{]d'Ijs )7Ex n@o9=q_?J!#F!dzI}ӼpWG֛Ah,?q'^fNY$@[nr6VV:(V6ԿMGK%}JaA P(`kBWM]z}Ppgڵi0`gj.*+./-EC?7_Jp=`BU|vk2*=B٭q n uYU/6dYUj$+YK8@(gJWhh}cäxtS\X Iu\Uv Tt_zf\oضnEZ5&5fU(3n\0ܵGK6b3?zB\ p w~)@^~<<&T9IXNġ,O`)(U ƸB=ܒعҘ[oAu*g̎y^ G>7K25]bWC K'M amb -{(gL`2Dt8vgGX ʷK/(>"'|Y.4*a,RɷˠT&h!1E2N{KS+; +q2pQ^Bz+(W2@kl}uXeaՀ/]r M"D̈́ +'(m;4Nc83M'ٜbfD'`n@-'XN_z- [U/KzY=;" ijuݱh#ݝuϋ\X ck4Z[S4ohxjELt-Cf"Ï i'W+%` ݰ~ ՝WXȭуC*Tʞy g; j|sRWT(5DJ"q9tiz“ثJ iWw3As  Xy~|}.vLX1;)D"ob57)6UBEK)5k g`^D!~2e_ ̝ѫgf#^0utP.Ѕ=С`+Tz͆w3z3&|ؠ*9`kOz=Fش!狟(u崐VCa)y/ ^Aa-OqBbLIx|W|H&Oƀ qP].:a35 wW}Qބcl{_U8@c5Q\7g VIML9@]@>$~_E</_r!B襻g PJڹ25?]nw;a endstream endobj 1932 0 obj << /Length 2509 /Filter /FlateDecode >> stream xZݏZ f/Q W@Ӈ.Ї!ZWJ]w$RkO(zf8!Wo;FW4%EZvJ9I\oVwsۻ5wTD$44)MĀ噿|=_(Y+T}}he.ɏ)M}yឮ,%;' xҽ4wL%} d+;=OXoFܺE A.j~`GcT7H.kο8~ڍ3g=SNp4lM5c z$1IIHubHRKBsTIƜgDK0^Vc(T \KpKB g9HvpY1)oM3e*:2K*TqR'fs^òJ  6!(l6#S~;Bl83;%X-3%w x˽}3U~gGlOFh%iǾN(Ov 67D! )2By4Ar.Nt ɯf!|tG;͓pk;|Q>uoui_ڧУB`dRf 9w=PVQ}u)[9K1^8 lمAto<ʋx|ր-gD4TF <4 *qq?,rZԢBpkdU~h}i#:U }]_ >]ӍQ D 5P7 X"?G-}m-,cg(}x!<͂ xmȖv=>< IZ@ɛrSZ3PȹJ$c넛jax!kh;u&.Z4 bMAYh!L5.x8)-FCdE:ѕ~<#Y:_mYm{RЎHU;ڲpc6](hhAX.:k#Z\m n>63v͛x½ԠK g(hS&4NfP p R~3%|;!l2TQ#8{K22D+'Y.KVOjxLK5/ڥ%m;lhHd9#*֐;F6Ka5b74ىGCr]<4[ڠIJppNUH I$Q̂X|,(҉.7FaPGb<`P TwD7@r- aؼɰ Bc" p1;P(0Ob Nٍ?yH6*nxe8pr19MJ`nwh29${Q#NoPقiO'Y B~X#, fѵZr-}kEaɵ 5.y!-@eS?C2 vC%h;A)3XmU8P1@ԯ0@'&KBp5u{I5Et0TX(d&Bm]JL.O?9,_EJY0>MpW1Re]#^G5=ż) QEٔ&^!=AoGgG4ibT@g+eJ-7aP Sc%hfqOkk!BNQsW3E͂Ou|aBwo ˇʿ tOяX(`*KOx BDF L(gAqJỶl:L#U4\- mtJZq}UbXj8'T$eKA+oՇ[nx9ð_Wjd(wAWk>[> stream xڽZɎ7W@* x$}H21F,yEemHf5jbw,]pi($ ܞQ8EW#*Z qK\El}$a6ѥQ6:[>Kfc\r1 ?B-KflYmYl?̆q,Eà͒#&I0u5۽v-j41#Rl gsZN.cjlda hΎCU:c*Y1Bj@l[`n]s6{8n_fΞ_vaP?IonJ fAF 9Ad_ aJTkOо7LJmɺo=e<"$:m[;v$Ob:6U|::̨VS0ą1GlUOV-M}\Gex8l߽He*gx/ +*f_QZ.Icl: [AZtY^aR$ً@Z!>~`aO{Uz]z}PQ Z'SSN߈-'GQaiQ!1 a0Tyu=5YA)x"g QӘ K f~ H3dz;Ȅ*rDdG#1 ꚤTH5ůHЖ4!K" l> I7DBSf[o'c)!"@Y%Kw YeXǶCz;Xv,ulIFrz G3rDㄒa(!+h00I:&nF #0nFvړo?%n?E;g"%* O:j(UNĉBB=G>=֞JxLqS&`:yk{rƎMlW$v lvҚ{:{ᳺNhAÝ0 0iv06%(?^MREړ ܇B',4ź=^jNib}<PA!}8lhFlW8dW@5}tNWB$_)>"'}k$huܬɔTHpB)O i߮ MT DBIAuuۋDXd'-GMJN)W#L*R;Hv_+"oߋphovnS sșv7NH֤85)[BpJYy%vɹ{ldO֙h"K=O;N_|b6 endstream endobj 1937 0 obj << /Length 2657 /Filter /FlateDecode >> stream xZ[~?^`#^DRRzKoIh-yV= wnNPER#r87C'Uw>~&$K2zح[DDbӚRv_?$4m8;֥mWOͱu:0.Q-]k:6mOlOΛ;`:l^\Wr忆]*y]6ȉ?v?qJ&Q6:1\ ?1~ 4B\9bHCSB5ydNj"JDKθYEJei )z.-*`O葽sk (ISw8R?썲$T2 P2Nt :,!) ) ,4x?"x J y_vvT~bۡm@Rˆ8IArLی=E> {;Pvp0W3)Z6Np&o-JpԒJI|q/J OF:f^eĂ6 &,~ӒDfH.g)L2T[דCb-Jkq\TqB!-Aސm3-‰?|&.YX?ੌ$ @J%>8 2_E}UݶG-gD0ʤ> 8G#m!W nw<8⹶d.bRN zoA9Iڗ[J*$@.7ߛء20xWbKPRuQءA;wO[ or[AO_] A%0x{:06>*d҈͐'E`I+ 2 B|[LA_W$aɤѱcǺ6W <1./ω(83 I$_$\AQ(Nh*&˱dFLXrQFY8+eIN2 pºhrS<7 M)> stream xڽZKϯi\I 9 I @ҷ i%n#3TDʔӍXTb?֛O+o%[? _j ju]\|x[ ! Mz,vӱTTޭ-V;?AI.mhžzN9HZ3e nQ2%j퓓K#ʂh)8窇5ܯ~sM27U[{Zrd8ծm*<{Oب]PTd @F@&W`pZsY'˭ZjA <0̤}_3ߒhPChhQâ)\`) {5Mn, p!yX pׂcX,KAbj0-m-TbݤvLG4 m8WQ䱗 8 ByI}Tj"zf 9$\<<ٕQNDN5x5.-:wpx9G/NFoVqE53 A̩^μWL:M bGH&<6Ny6xBȥav‚na*Nb \Uq<]35¾?'.l[y{7gn9lUE b2dļ#nXǂ(D^|w-Ͱ$6Y$pYB! "u 9 *r z7sI&COD r~y53: {c! cϺLMpgړDEDٹ̝>菾^TL`E`Z) yDH]z7c ^]Bҗ.]Z%763c 8 kB5z3PC*!LD{A9+sVg,UNGdz3Ȝh2DBDZy)bO(ePvc>4Y 4W蕾d}nTU cvcw1`ͻKM6Urs(W%A#U> y~h:CSoTY`!؍D9S2͜g2'KGyT>x}zOZ`C r%B Zrggxh.MU>.F:S|4jL7 >(l$@;ŧx];? b7!<UfTr[+?\3UxVak=Ģs*~; 1.iF(?ُ1Mā=[K__\Xۘc=TUwQ񊩸.cmOVp(D)o! XBTCFjVpm FM%].ּj5QSx^nIHjM0kU_ ~*"Ř5 ~{i0@׵+pkqM*v3҃_97GzRXoG炜 jI.5r_ b> d9*I] q'G8Yht(3:Jk/ԫ<.C0VB@;h5q bH_KC|>߳E|%W+*>>Wm}{T۠Ç49l07|D 72&pSw} 3 L/"JlQa&7a6y,rhEÎ vcnqx2PL N̍IkOQ)'aDcVMYܺ[RSyLdlD}Kd?H󷬟ac+h΢5_DfDg# [xEw3+{ cN_}[?y~WJn:,JR^Tz\,IV/3EqYn;$L-69iAWd"mwlzf)ip?<_2]HuIOu!渭 yȓ4D@g7t6AiI&UfAx"#HfMZc<>Z3-8ʖ7%٫៞+FQzFx \ش2= Nx5MtLNӃ l{lqMpBә%jj]!X)yhs96KJeu %Nu5zWoYMG^L \;؝M01LT1vs[1jl~7sBl-a,ʻa1exbwxl\{xvO@C۝reZyC d{PFYL~DžBYq^:ڥBECzbTiƕ1Ԟ Y&Vg6a4;zOe^M͏Jrlb1cl~e]U*Oνa@V.qs`m@nb!j9 Љ>csw:;N&"37vH[E8Usf2,/o6K"?,3GYӁ: V qC)L%oxU6žl!evR^<9h7UB endstream endobj 1955 0 obj << /Length 2871 /Filter /FlateDecode >> stream xZI0r2;,s0L 9-V$wOI-)ˮr6|n6t7y|=SFm?m *1?C_w)Ee(')?s Dffqc_^0Jn Afljfa6bLFuǢJ޿*iowdO9޺V(z,'J+ <\R2GeѶe"#~EF8۷42{E%JNW,>Uj޲9%]VsXtt9)pZdZW/KiI 6u4ZNnY*ԂpmvQD.Z9%"[9~uwٶ/xSM7۲כ bdhu֢hGUadӆ 8q6Rk4ƈn$ A|zqA(HD#jV5m[of0#\`+8G!6,QU= ?u=7sʖl+K(Y5v^k`x13"o p8 5?:UޚK&K?'VJZO8'I F?,[С2pxz<˿"J]ݴIH`5\B3D[10nR0EFʛ@Wُ8~j_[?L PѦ+-*w%+|OC2>0"u6zOMĈTqCt!eFZrП$MMKa0%\^@̪5$01_)iB Y"ɨCX'֬D%t)!H9F$E9ͼKbS6#(3ʲ*RIx,GS1N^l1k)ɨz٧fʽLbxܥR@e|1Dr쥁he nT_uo6 xj;z6LKj/.rEw0* |4wueR$Z# 䎄Pb"\ Sf êUd\L95OF=i*=hJf W<,xSK!m+.~K yY~ʾ # Vn0&+C+ټ˝B"вO-!oʢu^>dMѝ$$N *Ȕ_ddDN$pqn|(5|;p:F#.<|Mr}H7$ d¡:yRysXAÇ/ǢI@%< vHG:Lڞ{_2ގ&m'èa֟=,\6Z4 e޺ӋN1V >!D>PJ,N*J(|BfY!clQqaҬ۪m.[y?bcfh;ѡTcBXgVLz7usKX!#w\xT. &xWUvq݌ hm< O&\'Ra_t{wl>N0ԬwzHQ/b:~-bF$fśɎ# 09b` OI2\A_ `:TNPݬd2i''flߣQ~ t?-gUEw->kLƬ9ΡrFk^x{q?9|j!!0 <1ߟn\]Ώ>ee0μ*L"91c5 uGd.BG ‹5>=O80dDo! F@7UdQ 9%ӥšu6FgDT l7O6JoUάh-[.XkL\;@\'⭘aJWjr r'si2N\i@霛T N R2.f&:/2<FKL͝&,dȰ۴/1 ޼m endstream endobj 1963 0 obj << /Length 3648 /Filter /FlateDecode >> stream x\KQS57`g+N%\WXHDz@LTNM׍֔Y9~xŷHYҐهǙ3UbaUk݂16B)=xjt?o?)$0&!ޕ 1"/XY(a[3r^js=&*g ZpSyn_vYr9`C{y)Jt'j냛kษ/_n~“^ms\۽hEP `ީ))< -×{{nr#ڥ[] }̱K@GMIh'hP?s;p0;ՄB(3(_#)(¨_,$nIf=սVb 6c˻]$\r_ W-B]&;)JBEHn_Q3 3#.٫^ Ӓ w/nĢ8%QCp`Ģ*^(PR@dͨ9_5=FA$Bsyko("{HLB16Yg9I*Z*fp",JjRq9ϝQU9~֋7`17@tgpq/,tahcvm AtaBh>4rC#Y*4$|z㚰2]ǂ-kknvdmF#AЀ=egT&cp͔^RMQ 52݄o1n;4#, C>n\-f野O9nEOC@ ͒ZQ<WHs`fZT/ 6~CR7Sfe,P-`_VݺZWdoRsb LJ.y_ Sd}f\:i1 y)/} E;STS;KvUW8 sGw8!-3 L6 d7(*ʉ&W5pLש>_ÃxaఐD҅PG-`<ELCC,eu!cͨuCJ vs;V:f+2US^ ] VW 4,cA ^qqp;x?ͱ=,ûߏX9*ŕOBIQ)21IέLwR#V M|Xۮ_8AdXhVQ:yX:tb0 VY?Ez[=-6ճc%(Em.!o6u8^ P-OE`ɍ'$}\+~v6‚W*NF)U; z/r\]{ʂiڣSC!cՌqokjQ dB/FzYK%]rr=9#;qRkPɽbMJ\t_}휀 N RyS0&fSعuXQQİy:(\"欺('q3 6 A|SfSnr:ʩӘ.`|FԕAl4:< SP?I5̇ ZŶ*$}QQVx5/WJxkG v\/VM d~AHX`i|EdsLr$!̑>#x9@FxfEizyr6qХpspl^ƫa3xIuQu?@YW-p:1؅h˟0PX-{}Y$Ka}p X2i^w_K; DO3{<վ8g!~!۫dr!+\8"R8+%-HAMYx8*xRgF%Ƹ>l[ws@鲱ʅo@OZ;2ܑG8h^>գU~s_xh@ cj_3İe"//Ϛ*ULJ_>wD/O^ᄿTqܶىom춝}-aHgKhmv@enK'H]E);ߒvVG5AyWǵ/}nڬ%^]ϲ. BO)@(%%Td- pL. a us}G 2*sf0*~_x1с Q,[~Έ,Ehax?V+# Y(>@;J@V΅ֈ粹ffz"n ֦ij %;.OB ?Fϴlq[rlF6rI89e!">Bp =u}-Y Spi03ظ$7H1Zݐ8õ4Z ̢ÑΥ;ǽ(cm $ p]Z}]+6_aXI,Sn9im Ŷ9ik>?=gx$yA}(D[RsV i?g9[i QZ"Bv%ੱݧt-6lPt^5ec×@z?iŔstn(3|~[ڢ%in?p[и7ja\-vy'5Uo#Ȅ_c4盡y]߉M&iWDr"{%ħ{So֡ _zs,vj;I?2 ]HVRy4S[c!\=)Qއdcv:0u: ZoX?!t,=d p⼙8lqc|#y7i|̥d<NqS>54Y *\< xN\-[2I7?<7!cg?Ƹu(pWO|Ƴ_sg;ѱ4+~qA~i~niOߣk3)ABҗ̰sQE?eCX86K(7`~6wTT8}V2:e  =~[`w߻ju_X<^.M1 [_b:T. gVo?kZ:[ǃ';`rޫ/ӝmP`4jO 8dcmag}=gԻޠad9uW|p݇wW endstream endobj 1972 0 obj << /Length 2865 /Filter /FlateDecode >> stream xZMP.[d oN.लSz+ő8;,SBR3;){(Hsȉ$6ݍׯA]|7_}ԂQь-n/4M jqY|\2| u,XB2,V2Yqŗŗ][t]Wqh~}]/$th.+N3M@ _xTذLS X2%Raжmݡزxe^csoU-mtbeFaINODms>n ʂ_S+&NS]5Z^-LR!ɶ!.] [杽-˧hy1ʭ@h\S40Ȱ2OF)1Sm^-% ,'Hɨ Уtff]ƀa ` !(S`()U|Y~p)2!bP1ͿGP}רSe^f߻{כs(pv^Ta +< 0==-䯌|Tr)NUllAqJzco|7%HjWkqGipͼ;a)Ku `p2 ڮŕ)d_e AC "4Qz X05cK)TN`Lm#[hsSDv%PAF)q&y*g B9ցP@ʽ(yE,3)"jI\ ҂TKIʤo!H =)Ą `"el[9@(_YcB1]T rwvdib庉2ϦWnKPl?Fu("R5ӟ^A5d.J-&|x;4+/ i/e)R޾|޾}&}%-߿xb,6Mr/Bo/:k3S:F̬Y:7ѝ5.q:_sHng xچ&EۧJDMr+Gzd$6"m'1O0` H̆Rf$qWIyOEv&X5`]fDf>DYY:fl5ڸ&DK Gyy;<4 k-o|M3! Q:v^%x>t!CL.alm[7cJe{8i/FZokTJW]}Օ]l{vE JVLj0F4vU{KArdPOm%(T-?۲[T $4=Z ("]/8ST8` 9"I-{C:*nzZ`v6h"4)dY=d|a_TȠiW"):b$l~W[W5%U9|rغ16M*kHLye/&s|速c>&!PnݖvμnP]ߪk6*G&:(Ǽ+AB8SmzBhd7F5C{n |}íCty:&BtMvatB4?+ٱ7`Y[ Y J񪢷GHNkj]t1蚵G,[{ @Orq^9bz!XB.\etq,픮>Bvk7BdsJK_Y꛳x&sCV'xNG7tQP> stream xڵߏPpӚߤKP\+6Y4Zۻ"ޡH%^ ZYw8f8뫗o(F9Iv}))"d?/+e\1-WJ]iO!_z{*^!b(I&AkeΌǟ!H RdRd_ 6F,Cw>fnCk=嶸4m)<}ʐiACI]3*&6L8E={9M3s(T*X ZT~]Xq.?U"qO=w@ wz!. D!jrwT1ܖCqσf{ڗ8moL1&+r$WIێ=rʑɅ0rQ@؀D>}6ޝܓD{p'1-"}jP^4n_{繂,h Mz4 zUC5R!(,&E< 5ļk+aЙRD+CGFFB1$@aSfHsME78u'W&tި;Q!JPy*D\DT_!.DκbQN{>(QFC2U4pEJ<6iPVd_q);;[fic< y2<8Y(s}{M$ ΡcU42'%Ó $˝IACvOm_f."U)48I0c:M4uCލG곱&q9uJsv𫧱N aI^/5}mʶC(2B3,< 7aWQ:Q4sy s+7L4t*hSFS5t>mSͻpfY>MV3 E4 Ρ3pj;^- sΓSQ/\E4 냭 ~$TO7ǧI%R3`.Sw3`zPM'Thxc 5uAq8%T,,W.ޛ-}غ7"rOS8]rzmx}W?`C^wq >nR`-! & <0"۵fXOڬRş;(CLCfjJ?f ',\17:Tj[<¶`+$8W =]Es頩]jGE_*ؗ;hTV2AEtF$,ʊnݜ'QfQ!px&gعΑ\똥̓=,¹d݆8+3O9-uػO7(N[M|sI?PPGHE endstream endobj 1986 0 obj << /Length 3129 /Filter /FlateDecode >> stream xڵˎ_! j_lrp dnv1KAO=PٍszW&OoQڍEgrs{8qq*bc7/?n&K>Ǜ?}V:jnYz0Ѯ-ljĹPX0 *c}ꉿ򚟈&?Ƕ9jL};ZNJp*-lҨzqٰkgHM2no!Ο)ZbY^ /u.?XUQQ˜plx@}k,MM Dah"_;M )R".dUVo56)V_ +RPQsRx#7-?7_ *0?nCSǛITm,,*ojeqBz /@E}R)i3(<1`㝙rة;F@3*xbh T0q6'ڏ!cVe@.uvlJK*8,Ȍe` @/yo l {C7hj頝Ϯ*uȾE;- 2cPr,fȻ3roHt:fkλVk2lXyKhu"M2MG1F9娰OnāC[fx4Pb {@v!a50V\奈O 4U MW˪xC?I/S *UwEu`<=EչFE1w|,#cɹPVYxXpTz'?bPўC8>>^oYH1*6h^7 %"v'Xģ? Ɛzs/z$aEIVIn>s 8]_߉/'u3o[x`_Mt jlYf21Y tk.]^՟uT83Tilx6өiGghɺ.Z +;7 qC{LG??"33eAKx|aȠ'P@|p*O̠M<0egaJtF1744DɃ0 LzˮGSs户8{Gs?04{~R'.'V2\I:= RY:d!{Z%"C 5M67xb`^ 'oA}cjdR3 "qejb̲$@ْqb_&>O2WO M6'RĊtZ,`.~=+>eII%Bѹ xl**<-Yj bCI 3֬ Y)[I`> Jk a髥БjfjPN!0|9P!"+PUyn"eY@Iύ5-H+w.7HA +iGA ccsc((3IGuJѸͪ&}tX,3gu+43t>RW!zj?wojPLĶmݱxs~r󎾨3ܱ>#kʢ<5Op2hP[@bjvUoDu"H1z=&>OW\?p|g2׺e]*Nhy5WGGMF/j1|MUߩH*Qf4Rqv")Gwk]mR"4]wLswզJƀ 6kb# Clb{l/cAri M -ՆYv# )mv>wS+dl;!4M`Y?2'2OR`"wrv3hJm/$ľ[j$ʩ$FP%Wi4.e҄/]7~_`@B[pyYG0L1xJj厝{Qjo≸9!izU؅? 'ëWQ0gdejnŘ),+>'EneSyl]/EKϗ*}p_dhLg2mOS;ӭ4qP'?4͌.9KQ&7N,G*/Њq{v/C][|l?AY'y%Y>:2q_/ϵldvo,z>6l$Hjjtԏz( }U[pf19@EgAAЍe|}1Ӯx"Y݂yuߴPɝ3YZ! ]J`ɃtTZ:'fXVٟSn#mskfyщb_W!1C_7=#']NIJn& -}dcM;X!&N$QKVJK|[8 BI44K-bwLu$Ww$zR%H|]Ms?8 "|M|ὸdAoxp濛 endstream endobj 1996 0 obj << /Length 3311 /Filter /FlateDecode >> stream x˒_[dE]J\簕p$ c"*|SDQɉ5~|u⫿ˇ7_b%8Kx"VnWF n}}dz "3ǡiqwL;PHE)DpjffQ0E+ Y'aqPu~eSs OiںiAC?ʂ-9g2[p 2vTV|_',v9-+:1ǫdpl>Db&h5Xe6YHdQr[D$[}Ì$zCyI#& `( ꊎHỷIqaFkǂI Ő=?֎ mY)2ʒSMڀr8%hA Iz":6GfNqԖX(+g ;[{{DFNtɚؚCcp&@jP3kyୟ~aX%[B  -?4w$|\`3<g蠾ih!Mٖd6َ+:{o mKʔw8tWVysL cC/{: ٕE~ke0*יy%VPsN!NxbF1G)^XUz'.]NW*8diQN}ڸ@W&q{UČ}P,cZHSu=X?Z3^Zʃ;`".a8Rȶ O+l#cŒ"1vsJ9G}Ah8%nHRJeowNS*; B*۷v̑ I1f16tl Y+i& QS?2@d=A PA)TeKC;M5-푁t؁'w/b?vt(Kz)` Y0FӦCp4c= {1Ae]*kz,;?" 2p w6L=@GG3gb#%?7b `qO"Pcm4M 3Z V}9yIt+, ug8!FQ9ϯ.3L'G|+|,th fr0so!߾)JH&t)xٴzg *d ,WWO}x=AIƈU}>k㫙5 aZ|@s e.Lԫ:dBu䕵L_S ߙ&bar$57U26pxRWc>x]Jѥn?`~HˈA>C9zO7k6uWu^{5Pȭ]l}t *99F6!bh K+bZNi?HFYBe%./|rjE(Ӻ]"NJmȠmGk<W7rU)aSj{{šbqM@2Tm!uЃޒ1"[0 ad=-ɨ 4ۚWu@B,}f%ڎٶl0Theo,MKIN٧t`ɽ A/Ld4q diI+ am+0kiei[購۹Ⴣ5~E(\@~wʾz<GnZ9 ;mS T]C܉sPJ )ΒRc9O,c3(I$QHa(yitZVF7`d8ZS[uXu28ُH;N:ᕅS\NpGmuߢ§/RGK,ft(j)4^]@mbHeƽ™;Ϻ#rG@2:8bU]JH&QD^y,˹>Bl·fR_<$/x0ͽw`"c>'&L2 ug:@&͡6ByJb,-^LOn&FqlQ2Co|*Q $_@Ƥ.E'ߡâRf3GF3/m>y1v$5g9{ϲzai(Y]ށXOWn]W6F Iť3RJkwMKTam'Ln+xm$^Yu僷޳,Z|,Oe0?^yhWm#)=N_bFWK5e%v}qz3fu׺m`k;w};֍Z5mӝS,ɨ|)pb D('8ۙ^o5ZdhR'|~5Fwd P\3!)uu2׾敫9G Ҟ];[^!|IJ#i=TY-퐄IѵR>f˙9b歑2Jp,.qfO>2M-uU_Ȍ,K߱^ۀ$C8&K2+ml,a`ڡ2#ۖk!0}tJ3ݷcaTGEJ0bwCx yk{ endstream endobj 2006 0 obj << /Length 2577 /Filter /FlateDecode >> stream xڕYY~>y,Nv@^fi?4]F{+MT_dY${%e -m~ek`i6j%!YNZ{ ёiyk[gb'`bXP5z6 _kk@F9vcXn/L@{^eTѡqmk~{K] ADO=v-seBʢ`?sk{1OIjuKl-n\Jo)}듥>Zݖԟf8M O>􀑿E!c;4>Q׹ 6&qFO:夋E~]ii+(!)lf 4n41*ϻ DQ"B=&z<ʐwW]C!΁", [J4\,9EGkq%c$,2c$#`PfL E ,a Axpg&Ӵ] dtWP)xGoBMPI):.DʦLqa[JS4N(<^J-͂嶶mny g!^i IY)f2Ie<3޺ o[*2tұ2fҠ=<-9'>k $](8Xbr)K/{}b\IJ1өz1cT5b9}F(G[0l#]􀌀c9Ɉ ea\2%K4X*BjL \zrݔ ^U#]d$]rNXJ%K_pB*>!sj$Ag)msj 6?`"c7g8o(2[Ǯey,E/t V a9Mh ~j]nC]{Rd@R^ϯPOL5G=B@Y<wgb kQ9/a"ۼE? <І/qݰ5'@Dlbhja @Sg3f![ݛMeL_yd.@5zV0 #O=z,%׸d,gv~Xyas's,fpLBoxVNX§߂/%64s_[W{=WPyOe}ُ ]0އ'0pアH,@o[3E@װ }Ĭ1>m8ܔ%j!CK8"]{OY-z) Ҷ@M{ޝgDj"k`75ӆz' 5ί1~־BKbFbzi/b);FTe_X}wLM??ݞ7XȿZ)*noWOiQMLv7$vrcm&, ҾwPd-O~w8roS77v endstream endobj 2020 0 obj << /Length 2519 /Filter /FlateDecode >> stream xڥɖ>_[x;|HltԔBR$ο @H7TVwόhAǕf+]ru]}~|9Ѳr_)RsJלf@fȈYn݋1ٷZP6;֐%Vʙ" BSI` ElGwfE@!DIAqs87þcگ,?ֹ*3vCkk!+hֿ ng6nHO@ fԀrSN:󹩭QYe{ˋ=X&I2ۮw޽yu'kk| vGj+$-'6ֹЯ{\4;[\RspkF`y wDr0].Hww?8 Ζ@в(G!LW#"N >4B!r>%'[ aUo)G4n,"\&O)/0UU#//! gji|T}ĺ&IC/#+țmp!wh>ztL jRFܖf+]_dz4T'0i $:=ϒaDU|u+\8ՍO חKNtqy/S)⣄b~=t޿8җufإo9r%gdߓJ4ӯO[٥-%g߯ZA>Rda- exRO0e)/:ܨ*hĉDi&,Sjɽ`V mqAEz$sto] h(億K"J*Ui&{KMGќG ?ժDٚ9}A2HrטPwW͓,5)~Q؍Mj`lv۳9LHVIOb$.-ڊxme QQ(TxR"+a*O\vc؞3.j:vNIqɞr"A<lQFaS>[mB>)ùQ^n!UDpʷF߳%Nq%7u#..,8>~IߢP?ɼX;v#sDd˂uwUNݷ<݄3 wrXe78PvSɚXub~}WP)N8^ tq=nG_MU `qv燧Ŋ:y+γC׸b_3`:ilBɴwͿq\ջ'88 Gw7ܹZE8a32tq %&U9Foo#F<rjuӿK[?:o]\t©'"סrMi u}v^-Ǎ5-l(핧O|̤[nshf4^ٱݙOB-ǘgs<57E'51gCUԕ;+J鮡SGeeY.("̅t.saٖŴ+^t?qrnFek~0'%ۻn~-iʴk ͧf%ON,8rN;rn:XG18L4nq޺:%)hzeeB*L [pvm8 u\=PNn rpa0 .fGRx0*PC˻۹1*MK az?N2t#\q+}$!ъs VJ,:2-M_/>&@Qavs#ەԙ;JJ&,]K@ؠISWcin 4"c9k&BjyKzӻ1sMgY bKu A'G60= s-r GF[,9sڷIjlԢ}A..Wzjٻ}I3"zk6m߷nkBuXD\6Nwe endstream endobj 2025 0 obj << /Length 3141 /Filter /FlateDecode >> stream xڵ˒_Ƶ[9);rHMU" I&ο VM.4FtJWJIb_Yi:[=V=CKYstQibJ~(\(vP,*AY]]6Ү+OPuy*+uaSl۾U -?u۔G: ufxu_"^6|ǍPIxwSF XD-맮ly eCm'\N$nc# ,5ۖh%"'Ҁp4?~p4H5砠g]-4B]mݕvՎZw] Ƙ|˞wx"LCUھ"(bXf?Mt)4z]4*@%M2^sר^M;Ц$ţ.7+a"]Y`m@.ۡњ^܄]_smźmmy,rG)lI5*iŽ&. _yҦ)R5l"2P/H_ 89ܚ}unc lr7tlPdEADb{WώU?١~`x~[ƴHxh 'Oȳ@@7ٴ͆z#!F% іG|'ɈD"z2J/g`±mbU:Z ]0ORym qjOMK-e3M!8I PGr]zݞ'o "^)JdH1m[$-F 8=#ށ q&5XtDvUlxJ2E I)ɂ(pZp ßIBH)i ]:4L4 /$*V z+sRzNRT[U/!|T ejkƜJf۞΀ӱ"z8xt<]kH(Hd3_wUj$zr(iGrr.qrZ,DCm>p+1ت"w1t[.Itrm(Z|g`mj+iڢGg W0@T]tttDmQWXH딑)F\ba;4 1L0A[{/'w;o\Bp~ #>vC9L_UԲBz'Jzϑ.WPDbFd߄&kl =E~ya]=2lceβJwkJ蔟DJM,JmʢxÆ Bu U!إmܾ^٤h(`&. Ƣ/Pc})ԉ6V>VMEbM1* Q}I E#.Y;K\j[x%e"cVl+=ht 0 5ǔ(Q+}tC1! ĭ$OBA@n b9WX #}#= O|iüWjB\bl2̊QV%Bo *ZxTNo?f4_c$ZL+ԧnioSrn7޹Bų6JQR,}=ó.+'HN@ jO%12 y_N䳉zf|2f\]l \m1[\ WR?j˟[]^@, &پtG8+H*((fBhĥ=q|US`5B&0BE:;pP5\e#_b=2xC]fVK k |2=go @ 2X^zo>6u^䚕Ğ\fȉD_iez-ʴ暵Q朤G)/S툲> stream xڽˎ>_[ddŇ 6@2 Ifr`r2HNߧEe"'TXn6oz/i7wMm԰Ta5hCmwBD.MrX¯WԶy؇r9R8BÙ'B}H=$Zlv"e*j3O:-K^Pmy6i2 f=*B ~3Ome?]O+mG R.W߶Ifxӕ3 @N8C'' {=`mSҳcqcy2'COMqp Iތ ?LRҦ? :ORTZ]5ѣ#ٶ~lOn1Ai1EDPNQ 9C 9i =UsRv~SG߶@*KG6|Lyb!£~mKےm#$z ]v鳗^Jrb#l%@'LSIZ](Dr_=Aٳ7XnZB qoОQF`('g#"!y9gR!D1F | " ̈e*@U)gFKyNï2T==-ٜW>(EoKMtaNւo_} $nGݹ@/>jUslStpXyQPCIKY.ue?]-oN/Dd]at6L J,h pt1[bҗҌfe=B,M _ 9Ϙ9dqsrdY!%/[#(1NdZє 0#B,a1!&,e^[0J^=CV0ΧSQ']ɢu4HcbCJ|FA.4=aGCϠ[dLT#쩴hRX|4d"(830>кGU|KhʌT ih7W&-"Ff: %sW41hhUPe/TAa2,^e)R,FKR_թ^R)H9l2zZ^y+:&OjBUA1 JڞVRSKgzEY˯8ŧ^2=!X_bLt!zMǔҦRA^6ӕ^Bj{:/1 ðzDx\&?MMX/Vs&obcdp2нmv7RNӫ~dK/%UMW{h"(fwC7$:[n"[(]QA!UrPDNfZuuK|lJH#123(Ujp4o f}N1CW9K0ȅM =M[BB %?wuh4C;xzqoeB- a)00uZ:v8~P+hf$)!G[iEOZЄ}a`5w%6|YԞc^N(C?/ݠE7^,GS.a57w]Im%jq$;_q/=co>H$uLNbU yKSIsa)0MB+N;szPѮSa \ %(Ǯ=Q;';MrD3ܬ]>9Nkl"']<#wl m~|q ݄8PRB0%ɊUZ +16U?)1ƒcȰʞ3Kx:w!=l]>*I7d8U(}xpu<`EW/8 "SP<.B~_/B& A?m$/&Hf^VDQǏg#n'j)n18}wi:e<_7 *=Ng"ww]A)[YIiL^+YrMERS%H4vRZhdLҰ_fI4Wpm\ncT䪪e\"tM He8g5ÂPPRI\ }9$S({%s5 ;.Y?7 bvrb[ 9QNSBuvwo@~ͬWڄ%)f ?"]^_hc" (I͍LN̝зPIBQ_pEtE -Ji>.-;.ڶ ~-V]|N֡ [Pb5QLNP6%<g.Pɡꇪq$FWv7Lsͤ׷O88aĠ%$B[BY]W1[]7Z%mt3E=e=ڤ& ~63WF0Q !G:sD3}Yry`q޹+].u4X0>gRఅ 09c;=4> stream xYKsW(UXES2[chH<;>HlTj6&Mw7?|rCSSM7w6*I*L&uK~Ĩ??ӄsI$#Tv;.>v,~{%(qQRT氫YÏDSN̟S"3=NKt?g|3̒4㌺ISءR!C?áR~b䔏+bRAD.9/*iQB%'{a(&+鴐ZKdE֩ꢫ<`*0)P5dZYF[_&`YaZ6ެ\h`ԩ[O Cמڅ .nH& 0eٛ{'CFſႢԢ{ K(sTWqL#?>b*&H$S" ΂SnNPy.uoܧ5V:_1 ި1V OSBxiS/npUm1{n@(v-H>R/Xh')+#7"5w;o6:t^ oqxpc? GS=am4~L &,T R1_<^1ro$/namW>k9:p>W,\LJkKEf 5GP"7U]Ѥ|˗ HՃ{9[%ƌ$#9vd&M=zTl/ǚT\!a hfTB-\۽ۏDz/ڃa0E[BW&GW:-v#=  q+S@|Ž!0O[[BK-p.%7xwUtc+S|M'\{_E3O|q&̙zl8μ snǀhGmߞw/w=C &b`n=2eLJ5KHʥUR%t_S5@k9L.h?LW-F 𵰏rDPMN@penPO(d.j 86 \k>SӁ*ۏ8&cIUp+?IY0ӏZ' <F<>ZaKelpe߄E ]Ҟ:mYe[܌@MMw(F}}vמ@#;PIU)hyj6Mf4/ Lj@ [4]=ާoa40uZ|"V ZA-"΄-p0%ෲ-ߟn|Ѳd/[ endstream endobj 2046 0 obj << /Length 2353 /Filter /FlateDecode >> stream xZK6ϯQFF z &{iԶl+-Gt~VPmOgLSdX,V}9nwxxRlg)Oᰉ& l6TJۆq:1;A]]v̷>*FHE)AwܙTCJ)d/Ob\箵F΀3l9_q_a YEv~Ӗ <"ƇCG)pb^s[:JX~""%ڭL<$>;Ud{4x Ōv|ܷ,\|â:RAy ;Ͷ0t$ǡ1˅V.3}fEK!4m{g S`>m99UɢTW~@&M΄Db 0={2YNX,_\Yń|[׊w$RehӆNM6IM6NR-?h;[işQf$5uO!A61"b)tc?J;4&@sg-1=t;p M3xF,IT ЉgI:*!Q3)pvugbYoFy}llcg. eM&⺲lF4O@"?gZ-|kՌCj{;2w׳k]r(Ѫ| H2.A%E`F2.ʿ: 3Q4=ؠڃ-jCO;V*;z4KFںK-ꎵk=%x bɰbGЃ5w@\a[2T%TOh> ,3ŏlGP4=ՙZU6qSX |6d1TL:9S9ۂ_c(CK|-]aY{^eMNeh6u-6KO(6+㰡 9ۻQ/]ʶYpK5?L$ZB2ʜVH}*=(rb_ }V9dK̲픡:[AOy4Ў&1P4Bрjalu15-q]u-r$O!Y8Tym?ѱ34%D-uP8:=(;Ӗ9 2]H&I8Ge;hRĩ o+Srq F5|ro]\4JKP8U7!Xo 2hfjQp}WŽ5eotW4 eqz& ubf#^[gP ì~G *}44Tޫ ! wAAO߅R!(,.xψFD;)H .Pщ༶]&* TˬiIU%q.,Zğ1O3V}`zF(=̦cB"+,9TQn2jAԕSڽ O*_< / KlIO"FzʤP$I(_hGb*60D#)<"7AlRҰ̉RNaBh"r^v9}N,Evo;p|X9oJxѵ=G1g4Tw-C@LkjnY74>a 䭖p 0:/b23>s>`z''ZHo^As2J^tA+1<5Lʪub^}(z@/v/;Wwpgj|6k_ (xzԊ1MV-4:/l=tà`Vs$iY'm 7݊E1NƓ]|쯌6,I|{L>[ۤLf\XN;WϳlQ(?5#>9^ި'7x ڵ?=Z_>H)%Z~1UL{ %J5qvNgC"k endstream endobj 1941 0 obj << /Type /ObjStm /N 100 /First 981 /Length 1847 /Filter /FlateDecode >> stream xڽYK$ ϯ1A-") ~` ``u#YĘ6fgzzKn}f("?>ʍ5ЪY@#%e'(擊ʂjqKr+>]R)pfYr|!ק)~f/D>I.5ǰ4Z\l]VZcMAXC5ʩ@q\+wag(WY $DJJ͠Jl/@DUehVbZAr rayfs-.|e?N4  \J-V]0aPr28>傲P$S 93(|%˾J_@Q6s,}!l\+%h 0,H-/*꼹/c+E, 򴤾H *Z!gpZɷ 8"h-Xp`̂I0n.`4am K% L T="0vg rKM}C}f?owl=l>z0}l/6a@[kc6$=]·6ǫݧ~z< ZddͱbSƗLx"l^"}Kx)g>8NJ9Gc56Jܐ\fD?o]rκ`9<Ѳ\@=ߨ(|F8FF2YDF!`g_ezKQ4E4ˌE4 ȂE|8G+4u.֤iFu1]Ԥv&XXPJF\Nsm 'L<#2#mz2}Mݹ^~_Gw>> stream xn}be`*J }l aFp Ic{=xS$šyWn7tӇ}G6fls|iJTSxr?ݏ%#"61<ܙʻ.2YV[Mi_'!4a޺>~QIqw&)ISy1u!)je&FNŊ%Rd, J)RUy,QϦM< T~[kIS Dt~V1&D*s2Mhx_f{/wҾFm?9XaingB\2 Bu;hfSM}1B |dbߪw&v66 es39.]Χ J2Ө@}[:S{gW {Q" 'ϢV ܔyL\^w]'9'i\͜Mog Kҧ r*,$IЮ2-&:kܪ򍅩V׏}YwD3a4\OITݰVWW5V\ݢ2?_1Dَ<@ B\dqnbE8W ۖE +BDy߷q۷I7y,55Ncҫ쟠E*\Ki캁% C$jv,dtA~]]M*ꐣ,@=,1E$p 9PwHFMD4Uނ9?6-&kIh>*02ʑWrI鼔PX"63d @I8@D8A~ܠRgzN:cx[Kፑ'O4.|qߚxW.YggO'Ps䙶:zu@K8E.G=ݎc,mnd@:[v-zNc|StJ^d+ 0f+L8%0Od+j+D\2w5hs:Ԯv4_zg9 56- aa,ںiP#Ny#Y:Eh{%V:, Vsb6B关mk4jJ6GvN.V*!egi:YcHWq5i ΡeK^ CYc HFiYj"~֕{?E;2QY6u\e9YX )j8M:,[nˮqSH0W͜ SW/#ncd6:pM ;WUV,ʧ~ =rn*lxХ0ᮩ9@ti1}j}ܙ-~m|jGKWG^rbs30 +F{WVaga  Rc1bq/>pPbѥם*WC;q$~SVN:% :W%PMYh&m;(/Q˻r97g ?>hd9(^xbY1˭X(-af G+DCvsB we^ z65 &eW!f8_!zpK\m׀$ϵۅ:76[Bibe(;й6S1jJ02n8-,?;ֻxe7,o~,c%3?ꢿ̋RB26f?ِt~ ;.T[>M*s3M#yTPPg2(TfD5.:Q{wfVVVor <& =tn5Kaw yq/ss$q)r~aѩRŌO%ASqslmv.JQؾؖ]Xmm W'$@JW`&זpL>W)*Hf\$ O*`knNZ!'x![9Qh1ǎa 6'Gˉ3&tc)asn״%"G[a(doBB װfa0}?R>\#f endstream endobj 2068 0 obj << /Length 2620 /Filter /FlateDecode >> stream xZKoϯ0 Lsŗ$dM& fmk2$ί*Vz~М59v×f5>X{PãFhh6~H5h<߿}=?P_7_fͱX< T,=zdG癏L{pxq AMU*6[~6')`624Tǩz&1o ^2b64 Fv~2X! VE+d{x@oF q Xia= '><]̍Х@/K%=ґ//#ȅӧo..EnSZ~Gʺ#ZZ&]lD~8\e?oZ]-9v\,F8ᰥ* c[ -v '!7zp#5ptCG?c2?yPsGN*4Y`CTqd*cY*~L/4t d.Gl9l#JU+ 0=bX>%g>S7ǎڠE21W˄|rB5h-cV9 2tfD.qɜ ({tvrX˜3 ;f;a;#{NRL= C&h!L K'[?N3/gvι蟽n6q J%6P/jg-R w2> *BO0e)uCA;1D@["; >CV=8) C}dH+Ylzhqz=:@+EY J Oa|%]L@4=$'V+.CE WH.b9P2@cvȔ<2e\SAF aSVb PZSFt{p= yb?ciH+z<21!;0"n#6`܏^aǺ[zm(riߧ,d9fl%zÎyxXٞU8RD7t q*kJِ{T~_w⼏9gFcg%֯+]U&Nmt1.d筛(]cYit>c{Y74}tM9aۀ#ĺ½p~$f=]yzZ^_~?ڔP7ֆXgW߰'oX5^,"^7}FNr/r endstream endobj 2075 0 obj << /Length 2997 /Filter /FlateDecode >> stream xڭM~jό!zhH%y-*$ D-MsE|~᏷ WCgXqF͖a]M=OUTwG׳ȸjZ\hIKE*Q\Oxzla5sWY7RFI1_뒉v'K*O!,CΣ%5Je,+=[-& l[ǧm[$j`mƧRh\yq# ٬Ԇ$k6B#"XmU3-j%˕z|{)†Z<ȩq#W'$vѾ%kVJGRn\vYXhm;{6DH;nݱ<FEiMubM%4hlG)ƽgKd {{(_&hcJLJPX<=":)V-*mY2Ȃ>@b)vp:ѵ/Ժ#F?=k@' .:E`KuaM v8c{'v%+ AէĊ|Nb[1(2󥓁ʛYyؠCPB v.Q3•9GDgG`5w Uڸ{|pAr 0Q"QK}4vM :?kkƗgΣ`0b6pE+]vM\ղ*X:87JT`@ܐ%=~9uS9;ЂhcgL;9iGy}z!@,t",m:Y/iS-f" l1LJPn8#x_B0bGR a[J(**׮1SJp_#՜~djG}K`fbiV{qȚ,D!:;h@ɬ &0v ^B-O bT_Lrņ,&bY"EV=)2葅yO Up21-ϷypHL0!u ݖ&@LQb=`+/B~@de0Ő%3%@VK/xǘy}sۢ8Ȟ;y;lWBۻhRH"!9ɵS5* *k+{ ;_:WO WYeZJgg8Z50ݜQ&y>8]|綨)Uͬޛz݁?qaTi0;$m5AmP3g2'(hq|Yͬ 8H m7C"Mq#H춮N61m|H]M{S6ce![j,!~^ĞQ:ӒŲ"c@ J&9DA?}~fR Ur,x?&M`唪Z٭1a$ZŔIX%lL|a.gd뤰jܕ;'70Z)qO\Zx?W ?)_ $Q@:ddٔ,tnn]!q8S3IBf^,/nW2)fZʫTX䭜+ۍ4X춄/!‘(Ďഡ{6Y~`l~?P,·#Zh +`NqR% C]aHQ2)!4x׷8V ¡yܿ;MeyB. (4|XVۥu; gӥvQE*&SaC}/nAVWtj+ &xUOK,g-,,s^\P8әy0oEQ{8enF|V 4yގ*jhy>c" QP0  J\UfO7h#N[]dJ]bh| f!_CHJ[*'/! !$g%]LRn}m=|SMYNCo4hׁsYHC>YaqLŸj <4UD l_k- -bx.%w=kcG< PtAC̋>-/#k/(}-5+7rF5͔_zQLql(l49, * 8轆2`O;R+Uuy88pim[`[D|)6TZ<تB=Dtd'{ro(e'XV>&5]5Gtw9vR3NkGX #^ Ɂ{X ucoxEnLT*Ɣj>%_/}F>9W#?h~q{GW=ܵlL~3j/dǒ,2,]ȢGOG endstream endobj 2084 0 obj << /Length 2170 /Filter /FlateDecode >> stream xYKϯC(`f/lþHl|HԎǿ>Uf;>%ꮮUbsᄍ;F7 eQaFBn٧ym9Zv?}Z|Y[uSu?wTΙ I <)+b>Ѳt~蚩z6)69+,#6gG|Ysfs6_o 12xAIi ÚHL.h93YkUPQNs!zsc5mNfKul̪Tc n 795%)n{`)U qیj-}'7<?ZnGl58Uq$WY54C[{ ev< ]@7o0&%,8CI|9e2iq ъ.MB;̤%G4ڴ;|/}_} ;=Øc=46!f"Qn8d&ΗLeu<ڛMa9AV҅,8 &{qΘi;+ kF c=ϢSt?sxc5oT;'\cY ) noW>ܟYz==+n13{6xo'b,Cgg<u?}Hl F}adnL ,/4Y?HM|fю@_0 {VvnEltG9Xac8V9o8o|MT`yA/O`;NCոj<,W0fTHaeq3!FKnzY +\F35ݡK&k';c.WI2;Kr]i0Jr*~[A|k'P\v18 ]u#($VFyw5(԰k F9mgAs}Q}==h}B.Ltk9+ 9ܻLV,<}!~r]Su96ǮNCW"KMֿFxQq=F󠵄O"ajeX#_ 1G~]ga22i~9^*@%piiW<ѭ8)/qrڂ*_=X8[4V6vբZj@BrV[p|fm{;[xQ~%^Ë9c Zފmݳ6pec  endstream endobj 2100 0 obj << /Length 1899 /Filter /FlateDecode >> stream xɎ6>_aq Z zi6Ac˶ [v%y2qB[3AЋ%Soֳd׻0Dj&L$J-g72)44AK~SF6oJvNaã0_l}P@ɘ2 Sqd1(#W eGs]$.^.Ů, w8Ec+|x2wsrcfSę5j_+&yn b-^eN%J=}z@0p+c-[=#VǞҼ5iY:륱Cw0cq^-CF0:?-u9h^J|[bK̔Ew`bL,r0bHE][,J,I6H>38ĭWL~vmۘee_bfzE`u>Ƃ?u{̷o v3f;ش <_HQBqgK2dDD^UED8c:R9^}aɉ ۅܘnJ;26d{XwOKtPj|: {#HhkHbYmetdCe)Q*L@cƓ",&" YMV/:zKu:\.O[WUs=푮`W> MK[k.eT=nXKM0401u& ?>ϸ`tw( jQ R!,358CY(>z%8Vv QDۼZ-;dgR/}CnQMڢK w${v9O,js=XQ[Mh)lR9NS=({3~jG'>;ߖyS4m[vF6P,;'xUy6X-Q9PCFj$ݸ+ہrwFл 3q(@;IGPAX|~wkpDW,Us;۽}Fk~91)4/8ɗɖB K]w/+W#߷wp},}[tWh'|7Ty*p'鞿 endstream endobj 2107 0 obj << /Length 2799 /Filter /FlateDecode >> stream xڭZKϯБh-6[TũJ&9p$HbY"'$5SqNģ_?duX%X$.R<]I'Jw_y0z#x"z<|¦NUsT㟾A)SE $B zH1 J:E$uɫ8Vjt헬6iR F2:4iEޤEdxmk"Զy,]DRF3tz&q^xlJ%JGn`)TBHX٫h۞Nf&veRDoN ^A1?4H=aX3RVpM*/96Ѻ_A♨4FB'ba 2ʣqJ x>-cqeb`[\▝ץzC]$,.p?ԥ%EN!Z9z>d`_ތt{ZlʩBֆ3nFK-x"i{A3=/7b [@(z#˵iX͹bNgΦj[dK.BXǺtp! Ew)<54G}2["C?=ʶI㪙kz]낎@ǩӆVs/XJOA;p,"3܅)spW "^3!i =<. 552NM_ +_so%b5zzgrG+af0I fffB9~2h @ +NkF黚!ҸP꾈LR/ٙ !-0 | (>װ 40 xv8VR4Ȧ Ȭ豗 hՌ2V8J lYLpXIM#"iqu3 -^:RUz6tln݌{4E^Xm;tJjZ;(f&mcwBNp8H {^Kh+>Q A7!3&0~og3*92jJMyQ e`@"n;%"r&÷ʭك}RzwK ߨ}^:։ z )iXKHVVRμaI!'^?/ob?sHGCْ\Xxr^]Y*ʦ?l6%yf䶞1c#^QIu7BwL\ahuZԷQI{DQ@b{w5MޢB)#o6Ch㼡rT;+[8,A𻝱l fl,/nTw UUW`>ؘ aTIFJDTd+W ۶xʪn+&a %fORh5a[VP֖}^={AIvk yC/Y==um&+zO`MG冱J_QcJb1Nɻpl~)9 hsZEdbq$=s;98LLd%ܥkGX@Yxg6_ią3c!#'np;T|iڃ:xv㊾-O7Ρ)ͪTg%3;/bsI+[z=}#<.D(I< oEis~Ӕ(`wخn)OQ&hN^p6RPn#uK)nF5$PU ;+avYs!2L-gy;l>]礚ȠD8Te(%R/C /ZZ3 s` L-D>Ϯ1Z<2PJCM]fGŦ.S6S'r'ü]@G®lg[1BJw.y@I#7ٶZK׽^[5ޠK5DZ C6t2IѾ]b# endstream endobj 2117 0 obj << /Length 2298 /Filter /FlateDecode >> stream xYM6ϯ")i  mZV-$wV(iX 'QdH+y駇OOY|*Ks*zخ?)u]V"c"D, CwsWouf[w76"_6 |hӷ9VT޵6m?iUlRO]?oSuIRO]AI:6#5G\%0i\- l63͒&"e:aXR./elƁ,|MUm_1XVm{U@=^,(Mպ*{4$װ܃XTCB0KӞ] (FfܠF]ڧ%zqʭyiz!Re}G;I+Rb!>"cwf寪>*qgzUGUE']\fLG^+4 +*/˔EClj,&WNy>6">C5g܉lԵ/Zv& 7 48<<+wCcOU{qyҷ+%S kqn^,Piz]6Bҡmx=2 MMH+j "hTPjRWGQ^M}ס߁q|=!'lq4k v;~`^,[k Ceib("93PŒ %CwP3z[3)Q fҼg\L:M9[p ^hKgy?й]:lgy8:ߨN08y'M\oEV 8 {q$QfSQ? `a.T+a$8X@b;~gb%5Zf#mXp&ZϋU>_iYDYTcqRXJEny vw[%[k =o>HW-v e[XOH9Yps | <yh3cP] '6"6sLgw<2a4twNerp% x3 `2SԌ~MW"P\d U'vjh?s?Qw)?f*`=mp3i[=o{lݔ}u2io G?v:a6 e \oCv! nhs?M'*;y0kQ Nw>anx+6]M̼?5psA g@+@-ݥ]KNAQsN>lO4 \-]DۛL #52a}VN<{ K JF>uį3sa 1pc  }`f1CS,G,ݶh<e{O`ޘҢ@<>!C72T8^1ΰN{Rrg2Bf"Κ!!F>!|NQݸ /3-,EL{:y>62+X@XoLc`A>{ d =;Xm&Xh ƊYQ4dpg#ePT* 2z2YFQQZ&%v$) vYrb |-|"6߃{~RvnM!sTaJO.>3@9i_d3C_"LPFE zKc̈́o>0y]gԻss,윑sHy#sԒ[(~g>t/&=#XH&3NT XO?c 񱫚411A@qB3_cXGpoą(x5`>e!y -n8%cGa){ O]8`&k<6WKƳݗ(Z@QQ>Mw "5z~Q3Gpj-f:%K?OLNOpYsu`,ڌU7EDçN endstream endobj 2126 0 obj << /Length 2624 /Filter /FlateDecode >> stream xڽZ[6~ϯ0bVK]dnYd{ޚ>(|,ԶpHskO!57:[/ſw_Yw ,Szq]q_]KVkkݾ,|UCy׻|xS937ݞ\Jzy6@U?CbY=rYC-^~b#[EthCw T_mu5_+lNX`r&͹TS񉜙|BD8[bhsV'bć^v/gtKU<5'6(O+ Ms<ͩr}̋|'>bͭ`"V^姌j#F-{'AAmԂn6k?e:owal'Ihbik+xV j "[~&Q%AZHoG[ Ipl_-:`9`JH |ʨ຾*=N|trofZ慘HZKfJwĸ?AZnSzM TfrJBI#bTPY!w'i^$Mٓ`i$, WR9?@pE$7^wOZשG1)*ыqD\:?_ef1 ÄS O@44},ǓzO*<9+K &$f 4^.Pa; }%!< M$ S;/8cOΒ^B%fV|t gڕP ^p{_.?xG2W5Lf5k̄%R+1KhN{o \ţO {u4 t#͑&9dfpyoӥ_=8]~daȯ^$g+{zaL`Y(Q'9`‰)JX.ޏ#$7@Nq"iP5EI՟<]JFT..!IIէLCmْA0AtSb0F g!8Ȉ;,tu+e6` +? CS|i]-7ťa08!rMj -zk\>AgG[&Qbt,E9rst[Of(#W"VD̒%v +0!P(Չ8ye"\IGA)o˰g ÕjKt_j4 ꡯZHWWA.rߴ=w$k2Alշpѕ#7Ȏ&VH,m-m=DL K.χr&w&OHAif4crWk-55\}OgһZ,Cf I[v>ŝ0'.վV߈xA6ɯPV{ةpVvE-ʘO"e<Fă` Bp߁#>PX>ѕ82L ?ӽҜb_ - .'w 9X/nj{:^yr_de|u&A*>a.8AUOs)^ϥ[M\5K3+I8 &Sֻ{ѦzDid8d,7%`ӌM)c|MبɊ7UWu81Be4< B#@B.(| kuA]?Zûɧ+UWLF6(z%[5;Å,uVzTڵC -rHDۗ]fLDodaG.* AcJh} %8jr auҥ\>F1#b*SBΐ2x o1C~ 5 QdZ>JR!72ѹBb~s mN_|9d*@Rc2)=$we-A OxGiqK#RWXxt$ e7 < ?1 `¾l'dj8OʡL>ė{+E?s endstream endobj 2141 0 obj << /Length 2203 /Filter /FlateDecode >> stream x˒8^_#hkD&z"z6v&v#]9P6 ]TWǞBʗLb~}z7C [Z$ ''yVuSyI˕`4J+@"&۸X]2Č}n&˕:m}hT>%eYN<ۼU2j[^eέ]ŊĈ(ݜ8u=s%nܺ'ȟs|[ ,gcbw`iq|ۃie$)긴8oJe|U)*xy}XxBDeq#JY*;!y 0I9JX1& ,10hsFZE(Y j7xʏCv~`xkk~Sp+!NXkO=H^RQz:3^o鿝=)D צMK(r# ʉCG5 vV%9߀hOu[V^^qjF亿سa]=~7}e_V5Xx@KL~҃BTcՔش>^nQ)mmf#+By݄˺O!2"Ddd:3g:p=1kWdfWA ׳(׉SD'!t&*~ M ̡ G!w2s_TA EGeH " #N '.,&2!Az"S&3Kf$?8`.EKaڟ+ڱ 3u9?0k:^v!j0%ydF7F"QPK˜;=]Ԅ.=o"(Aup|{t&'1xHH##Xx#2Sb$6 )! & V>Jp CCP&,aZ߁s^ljaipig8+\4_x,Eqn8pCRPwa6V-DOJD[I-,uvB? HAW󀿝n)𱴗apCi1ߍ*/GQqoyV 38WI%ĺđ5Զ<,YtU/$i;;U]vOlQaaiY̹sW[s%Az7 Mrfe=WÛ lMj^2.ttzm&m>4U|nft^y~)4u~tEẌQ-sLťL2G[t㭒D//Bm9fZtm&)+BU)myݎ^^D-%Ra$}y's:CN #d(pA:i9D̩"~-bi{"N`K|O`2+_uA3)_klg? vAIi5jeT 'cS$fݎvSΥ! %IeYзH)ZJ7ð= *`Ýiض]4q6R 2 aļ6)o *X^u36Ia[K }Uv^+D; &eyfu̢xt%u5:D9t+ u -Q$16ŲH"Ԭy/!N:AՁZM$  @՗}iLoOȅlnigV"GQ >!2iF*L+ԫ+8+Ά!StGQ6qc$Զ3go6lNuwECY첪|-]m9g p endstream endobj 2152 0 obj << /Length 2425 /Filter /FlateDecode >> stream xڥYK6Q dEMc/`Yr$ygozntNXW| $9<6o4j|N>`Nd:K58XI]4ϗl|wO*#HaM;' o#RwA~'(*wR"|cå3}l=qJT.ȵsa%H.u[oeOr6 =l$ծHL$QF?4V9(V6˶M9Tmӻʽ2TC۹J%E}ٲN8U [%/ ʼ|-1 T_©-@3; g [^'TJIA? ![bb)_j\9Rm;rJV+z<~Au6!ݰM0lŽ`4CO4iu Sxd~a S$Sl)fQ-=7,j-0M@F2SZ[*_X0xNo%J"GkfbM+3 LѠ'XsB j5 }"L<#|=wQtDO!ܙQ o $D6TDPYW7mC'Z8nЁbfh_[_(U( f̙f@d]cLB]3oL*a=%WD0vwJEkM/Ñu8T-h!rj8RdI_F@]eR^i}8b+;~@{Ի[Gw4^D_уiˉT~xzϨU*ܯ+F0\@xzڝ߀ƌ(X X2eѸyT pB؂2{H<6c5){z_ q'v\@h9a|F96 TlTazu&7 w~pcE+{ų鷮ɉ9vʜdb 48UZ<}Jʜeb#XP[XdޛvHW/᩾ew' UPūL0C,0りZt ^2LGicC]9O1Bg ܌MnKe@+0.M~Da?= Kހ/59в@Un6'@tBi7]m~ ꅮ.Dt GDcqc -f>ʨ$&JHVǸTGW'M 42qʁMtɇ> |A\/[L+u&Y6^lҔ>)]ߏSDgٷj&FSF BPz [@axOH[B++{rVO'8DXrdGOdw/t)f}!$h1wckKȒUw~tleWuNn>s\7Ps''b߂3]ٲ9 (ì[аsW_sKDmӛZe;tn'hcyiq/Wuu4UkR]jֹr)yR:pƇ?i|Dކ o+yeמ?qHFڐFP7:&'n/%@{Hǧs*)בNj0@dc~ W۩G-ÙyM @OyzH />Mz48FiُG0?)Gh\zdIbevԃolWVI|W[D-|,'\&$UfyH endstream endobj 2053 0 obj << /Type /ObjStm /N 100 /First 985 /Length 1948 /Filter /FlateDecode >> stream xڽZM ﯨcCME HBY$B]cj3֨ӰUX#Y=<4YhT`!BKP4JQ+uIŮ U )%8 {5Hibj  N 'Q qs1JDU1[%$>q$^6b , hxCyuJGsd(z\Bc:&mz,9dŲLF8r a^BnJ&1(p2ec* 4+Ւ3kԛQ a B \ӰC2q6ހ#xgp 26s滚 cx7ỪM0ހsA ZN^iWQܴ`,[^=q#wzi/doX(ÃtbxZ3߀ FQS">{+Afz7T ¢0ye5FI0pSN ƽû9L_5!u>eBA5CcA70#pva?%4b7W_=բ*/^K&,tO2•&=\a`<`y_x_ݷ@_~xn6?oJTDo6-F> ;E;e;6ڽ\y77Z1j{檱{-Hl1kc^ݟo_l>7Gn G n)vD: b!x(~ !bO %6ׄzk xD@Rt+dĿGCLI;2.*u 뢢T̉fNB'DLN)鄄XEcWx4v_HI휒JUG`<ޙ>}bUl1cZiwSlX( J+TȆe $Sn^ ~UyRb%6d}c hcMH&bIZknm]y1!XE-qӐ\>Cyo@TWԊc9s<3\S4uQ1WCJ˛y5{7T/LI}fdɖL񩣌SEO Qb\fcF4-obs].$ ~;9)P'mnF Bd\H 5Ӗ"M*m%I=(`WL}J$yߣE$*it_)Gw$lt+lmrm< a 姼uH6ƄĘK96ugJj貢EEƜeLtW=]ΫyD&oZ^>^7G 9vGvg[ ]R 3([a:QRhySL#fоQQ)!L[xlSx*4T9_Xs뉢 ܧٲ#ceŧDqrtY"s'1?( endstream endobj 2164 0 obj << /Length 2158 /Filter /FlateDecode >> stream xYK۸WrT,xN9UINjS@K+%o7|FWvsF?~(|٤Ûw\ox4盇Ǎf,Uz;oRd9b~sθTL996D:o\%n+7oOt6xYdo'-Y*pë_O-a$ɪmIhӔeFxBvhE˧o͒ONc9leI\HWH1ehf`F1fXV7Sْ~e[ Na*yl#TuTǙEh殩 ;~"%Ʋܦn0,ec7Zfvy }la`𷸘6Mz&ܧ,oˍ |/^g}YuƌضFk#`R/pߋ 4x Ƚ;t4-9i-=*S)\}>A!F5Ψx*g43|7&5Bh[4bn٤ mԨ0H|paI0UߗQo9D}NQ0 am)`A;̞֚`(Joc*%{gDz%"JrQ.n W X9ʗ/fp`A^ u2'~߁[vM}F}$׋G彡/$9q<zA|@o[A`z\cͩ 041>ORJu}{綤=+;tszTMv͑t>[Uiu,pf =<0U5tRg:$˝.5ް`Ti>qcs84c/ݕ|7:~|W>) m2NPąeûL, sJ `tWhDzmۧ-NMUKS1I|2 /|N_G"Adó0ۂPn8gBk$k1+Ż(יA%ݮ ٝS9L%2\8&9uD[~ `qPF7C!H:?9n@kT=1r;!}R.ddif4t*LhXrI; s MD 'E38X(\8~p>GWpCc|Xn8BŃx#& d2*P7z[ zȫ TKV1Iڗ.>i230SQu{k~DŁGqH渾,v in1Ԗf4|C9J`==Œ}B0^7\y-߂`_g8 h4[^;iڽrҧ\K&f?Ⱦ_$WA\:h+>pk7^)aR ?9BL1𸐯`"!-*wZH!*ͼ+!QE֥V=Ӕ'7}@s'Ԅ1",8s+!a38,sZJ9Á~ z =qjwcYǞ!թyr]r /[wߦNJwPk% 4;>NKg3fmuf<ԢsM$lCխuօ2+n+VFN@XV}٬Sy")te(1q[ FP/ncGuEdCI=DgPUMqmO-jߑdp;zd6oΨƍk#|5%_Ņ+NJ1 y(v(N:,+ef|τ6wx_X>vCѢ8*XxE`*N0<GM/?h hÛ $ endstream endobj 2175 0 obj << /Length 2114 /Filter /FlateDecode >> stream xڵXͳ6GyfC$dzfegv^OiMڵ-$'AʢӋE |uXՏO~+Ykzޯ\Y^1^nxlTazcmU<M}s>,Npkn? i3Px͜|73ka]vَJSEsENj6c]rgFr뒸xэ. w0JP VWUܭ7*vྰ\YV[7$,fd%Q)9+ӕYݩ~% `o@&$yMќn膜t ybV5w~ ~T.lekf:x:MeIBDej?3z9z=PgQ}ן}dX<5##"".ᄯWP9](n+݆i!,`Z͸E#Aeyvt;{k.{h t@,#Mtf$8.ӌÇKf!gT,0DJ)hpB}w':p# `؎`)d*ԛ}B-,'yNT'f`k|F0m' |b\Eo F .h~?gr"ɪ\E7{x-zB;-=i vt!)p,AI7R3O;qi᧾00\Ɠ^uYh (p]RMogfŻhCkC("@3 `ʇ:z Zl6pLOѥDxsvQA.Iҋ\ 28/P TsQ{jw VM.vYywT_RkxO$;7uV !͎40T 9+1@pY)LI"ME^༨)ø6S:G?sl0T6MyW@lhYhd 00c52)1)mvYBW/umBV -RF5l8A*+ihU>0( *%h{]ԚzW44;׷ xҾ4"+iprC% ˁgq/^B2xl2ދz%&ǧGOX%48*{GwD> X zNJк 1ǟ J\vqJaQu͝S(rS%77FK2-b%E}QZjRZBdf&ӽcd La7 ɽfrb9cj@r1%U! ģeB l=a{K A3%9f}ԷͧDžUqbCw*5aC}eG`5 ]ȓ 0Hמg.dd& 6}ny?Hۊi8+OPjq3+-&TȋD]^NQ; HPv3S]K'&\0S׬1z/ԗ(&eP8I_Ws`uNY|$MMe0BfDL%^h|-aECrZksX`Sc$@OpG+#;U]Oϡpmc(f֕-S 75 HYI,͚x.,x7} bn-=xTcP\&*,8Fyzncą$ , ?> stream x3PHW0Ppr w34U04г44TIS07R07301UIQ04Ќ 2jA]Cq endstream endobj 2189 0 obj << /Length 1689 /Filter /FlateDecode >> stream xMo8_:m"ЭvT@Og0i"m0& M>^_'Jቦ(mM5kWkaTjV߯kÄe/|C~ջ+ëL%fU%2z+Z1+nӁb6ݬX (YmyZsHoLhdyXW.⍭C"|xu(sz"2y! J ?w^Lǝ6h»9(pu["D o^L!55j1ҫz%~;ز*Ay׶Jkzk9ٔ @.)^%v&؛%T:ZLiHrg"*Svwq:66Y' 7m6N|J?\+َV@Ţ lJM.HsĬ./Ez Gfd@I~,򉀣]sۼr-_y`HfJ$YgkF4gD+bylv&9fg zS-]3eI5/lZf|r3:eBШٯSe5ceS2QAr>!_v  鷪!y@vqC,AnI(lHnsg:I.psOT!O,;ǑJGPI@N`bA{7KC @,ʧ:t߂Y"!B%jG/MBq-BFu(Ҥ 'dmS jXzXY&Ej]=NJt.9"qPqk9(,+e TER4 64($Z@X+;/ׁO[+ ra(*yAu KZ?ŗp9a&cg =BHNلK}D2Is?ԱIWbk<6>ƾ 8OҡKPMz&AD'L>軎3Kqš 4D1|q(u9[!2}h^d~2aRgt3iY:L(vb)RwP'g5CÉ%}xH K3rAApuŒӍ-Ps @PPxj-<cFiosGM[ꠛHKuawد0MMdkلʻx3|k]7zZUep7Ӂs0~wi h}j2H;1enأ}Eg=C2C1qA{ ْb .'P68y|9u,cPYѿppV Ek:ZɎ7\{lNع][uxE$a;paWKIW6%bi1sB9&l ^D>~iɼvs!c~ ql endstream endobj 2193 0 obj << /Length 2200 /Filter /FlateDecode >> stream x[[۸~ϯ Z6oI*[l琒,j;;Xh^܆>z;fGof J5_ϙ|E̘&NRPb ?䋥b启cb:cMˇk t>m4C,&(Vn%7v oqDr޻1zə!P߉kB5 ̈uY1ZZ,9lh>:S[Wv7.LoSc2IȖvG)'`3ðR3Zl63[[KM@H+P@!YNiߊМV2_W&j}·$Wg%QN0)f&JZCnχ_X!Wu`ԠbEsU)p,ᢑ4bOҳ[jeG4 {@%#jNG=V]s|x ">b$i&.BԊ6?&D0uuls;ff/%GKɈc"VXͳc.M4=R[qjCߢ0H07X~D `p*>pF?;HVGk4CVgzwVіWxƔ"cDTeɥ%]ڳFriꘃɟŚ@1eSjINmx]KMi엞- ݖUjfxIs0ZAʙomHn8pCSWh݄MfQ>&@`9-oBqݫ/Flsgۧ 0ăzIxAaS3SCSj?XΗ>:Ē౫mTa~%^|Rtz@MxtV.pv-=[=KVuJ8 sp"e@z%܁%_hؚc{Bce'MGk)Lr/rW 6࠱J|k*il~l~8EV_._G2o)`M3w ceI#gK̤ :(2qM ;)<}7yǪ!.(ѻ!w[!qp5(p2pr)i/em ԧX k|hgCk"#3yNFu"RMJ"OxGE맟e[IC\߶D*7|{ EtϥZgN"qe2 CiP+k eVDZZ +=%WR۾*(2 .$MH$M=Km>M\";ǑԢ8ww,}gi³Aorm'AϮQ?@83@(o ;'[kM70u~W?DhoFԔu 3!!i^of0!Կ85㲻37|t?%)i 3ladnI gdS*9_f-wz@hͮ3R=hm :Ei f{5cM o}YPZL3I4!OL+Rkšȿ:>r֐I擨d` tDUE JJHOF|ҪnoFg= endstream endobj 2198 0 obj << /Length 1852 /Filter /FlateDecode >> stream xXYo6~G-`1+JVdu}t%Bf6y-n)c,hJPiVuUMݭ+" (cgN&tE8bnu{sh'!R/8գY BVgМO W!w 4`"<GDS3(0[}^0c{'x7~a:2_vG{}s}h gHFW^*{?йyݶCp:& e29"Es@Pк⹻G"3R3 M$b&Cɕ.U1{Ž..nݬ#$; qÏFBW`4es-6M>VSh\x9 ڊYN~SG:nZwD׊:ӄ|Xh);+bpUSݰ~ji@g>nݡ kNevǻ~3uG^DԥW#,@j2H;@0'Qs}͒@ endstream endobj 2205 0 obj << /Length 2570 /Filter /FlateDecode >> stream xڭYݏܶb'eDR\ E͵/v`h%Շ+wCJHмܒԐ /=ݷwyvQ,n/cUN{+/4#G~狡ikxNq=.y]yKqõP,fHw{!N7p2*It <EƓ[?vMsϣH?}.]̓}AXJjjFzS:Uz'\3P1:CeGuw{+ʄDhCg8CIٝ/Eo[ޜ-%*E yxT7>"2e;Iא,tt[ O  sঐ:ƼIBx"qoB/̱ާU  <'c #,g#|*i a36@3o.CR2 &C9pM + `}v ġq޴>^(@5& d@%"zsܲ1DL* wZ.!}RNJ1|wP0 &.XX;˥ )pGBi,??jtLA0um'UѺin|)Ь ՂjR^[y3Wo6̒ B&{0bw ݈'"TcU,cP[|T8y. nIR-b$ͫbdznL\EOfƍXIGF0mӸp4hƁ-p,Z=ph͆:eqS92w 0@,XX@'a!G3Bs@SRcO@ ?C8KI:˞O+4] p[Hnq*~ ,@v#JؼmBBH-#POMݒVEC?Xqی7Pd*f9NL[/C9S2x5|%xL8 W{s)2ƫg%Ilr+ȉdU8˕Lp9/  fYQRBE f+.2g]T,!}*=r1%x38M tG]l. (һ./ ]Z.Tϣ\<]HGPz\;3HBM< 6X(=ºlUH߭T;@ VBҺ՟#IF"0w<[h_?b endstream endobj 2212 0 obj << /Length 1756 /Filter /FlateDecode >> stream xڭX_4OPlG1ev8 Ccx (u`+זó];wAV&mg웋ϮHQ.gכV3e"JzkrghaǁP,TۣD->jm]߮{v%sI*"^}^Lb予XYĉг0Nsbޡ( \eǃ]ǖw E`鈆#%֊y:d̂qDh2،n1~ʠDzx:p5  Y("o2i:0kV22ߔ?6n:e lUiCD9TK HeSǏfB[bx-ܔR Lg%Z/*.GDY{R m1dңgW @~fZQT5Zqw+E#|nL/!8XpZ9RV05Պ)mt( Wj)WĬ%֥͝Gx]g,5S*.hTV^TIkڹwF H;23f*3S+|Օ)QW~iW֕{1賯q^M_Y>Peaig¨`t0qTj|}~>JwO 6w1S`Gm{'j/-IWy*$@@˅" (=XZ+0,Mqc8H9a[zM|j-~Wwzso )ٰA,c'U%"'oXy$НW"}@//Gى钙I(NB#1F}VBh3_?áVNtKN\IQfz#%?Xb2Nީ4Q zC(caZ2BZ@i=Ӻ@)җ.j &. Z?Zk((%BGҚզl%zcF{T]tL䋐Gmo_smIH릠d^ f0~4Fɻ|~F+}2 IP#YL~MɲLjMWbRN۩Z͞(CY ꃳ{%d"N32=*Ak{+4iөƨX(,HS VU;hS'0fBCTRc}Wq_7]\O\ݖG7hZCQܩ34G# 팭rcSIt-ڻDHݤ$ ilh܏Q:{VI%^B7&dԄS5_Fk"KꝘy$fӎMw`p묫ΎNvNՓ3w' dc'++SW<> stream xڽYY#~_! /-W$za$j׭n*LeQ,GN[o޼}{cp0N>ym2.)YCZ\fZ+<3LkzWoL~O+ Kn/zo눳X@cƂv¾ڴ]]6ԋY'IIbܚ8("'T|ꚖƊW%c 4O&֫~XIL_P41lfʆlDFTj.Hn4A3 QJO,tp}}Yisy "d=*R,ޱ%#NH H0> VqXRB,IY a8UvU;NcgL(J ,Oفg)MPK)-Vrz?I_褣Acip,񳑣ȥ\DLs%EP2\U7s(XS?4O 0Nmӡ>YCC$Eֺ3K R`BzQ fplvYQݯ}<$8uzKy*o * YT&[rW`6)7~ap^VCԠGT#ء@~_1^B(sϝp -Wʪy``i+Rzd3us:9#|jy$E|1͑Z }HGtԻ(XՁ]3Ʈn7c!^2*yAƨx0U9~ Cxlp%Xĝ%X̺lqih3-AGHSRB=k vg&d"G0xƢ2v=MɊMN: X@($QW +N˴qʡc |pgGHVrpuSq1QW{bzY*dt ),CŮD$E_gfHȖR'(SP|xRier7)ܼu[D(VL8t'oD'-+pFPsk Hc ϮŪIPc&>t$EgGYR Ʉqi<,|Pavm;ԳM1e|F,%DrmڄLk>^@ w\mkJǂ{4>Tc2 ^M$ 㾪zBHCH\z"0h=f6M"U4bCK~ *޸=( o*'A00̥88k6EVSIBSr73ūe?vS@wչwWX+o>Am4tWW]9`]f%i3z8w3{miw[^{ \Ft}M>7i;jǃ[e>O3Pپc>YAj67h$JKqqi|:WkJ$l \3,y>8 FE=Tvv:4JQ]y4=8o;a֦`<7@jl04s&vFn9ːd˄t .-F/TV>jĵ>hM.j!^ۯ5RgT"UJۍXN쐕Jaז}93PV>2ZEwnkC`|YK߬;`m''0әCZYCF2%3,|CKP1d4:j@ufU"x/[8 K1FF&% N-#.Z.X4U=p>8*KkɈ٧:r,poœ!d뼄ȷ٠vخܴUCW G/0iv1GnEps;87c[^)z@٢΂],h~j*c:_9~F4oŒbd$Uё/J 3jz;;?7txŇz@3njwwsr};M endstream endobj 2221 0 obj << /Length 2095 /Filter /FlateDecode >> stream xYmoF_w"͋^rm\z)Z(poʻ^ZiO/q4䐣9qIKpCq]W2ZE,Z]W\%a*BmVU:۬7J MOyu緖FVmQWǧ"3VM$bzN_ J= y VZ$ Eb2Yod: <0(GuPh;S=?-[k ѝE%Ui䪿#LH{w;zyѮOxSencomЩ\m&t'f zz|KSS;9= Ƥ(KQ#kO$qn+i&v( ^iQbl-E==_Meo Gu _-nJۢ۵lEU;8?6Q,2@&Rh)]$t{QIØMO$xOD6ǼJIķ/n6>KָE7-K8S1d!py H&wFS|u]:UG'as 5Q.c rrMxA ΋()yy =Svt\%]+i0%^,&a6m݀+9s6&pŁFYz&. ~x T˪fIAt?D9ᶴYnk"Z=j:h؇k-% ;0#̀EP~B׀t >oe$2?P}\MYi0TG$~[%F *(?5$:f":N#T{h4+n.$)fpa.&{x؂8h x[fItɥa2כ l;0'@霥0A\{ZIfRk;?.N%ٿuݗqT:p 3h,m, 5zᙙg~n2̍g +g)O&c2;Y8euD&Pq2{ \H# &R5[}FB=18b=GNsL܌?Q3M3af?D = 9IgswBۜƎX,qtAg!7OŕphlGzEZp 1GOsY ݑf> stream xZYoH~Ẉe#!<V"dflveޔWf!B2b>I9}U̗72/qZ E6ǧe"vR<@,,\XaD) |sSg q>nhuMXP_Eb0-,36m^m|ޗuY"k9tr> =;n{w,87xs-$gAt(Պ&ڛl?Il_|3560 &tfuUovm[c'ҥXP EH7S!vrAS~?#:{)ca%9vm†'`3$&TH 磢 kEwӥxƳx5PhyJ)Ckژ6ZnI؀h̜0UpB赴LU'x魚ҕحY:uKhJo^hpc~KGJT4< w/8l*P,XNi(5NTjiAӬGrd2ka3ު! %{mP[C-ʬ4\8ˤ>uF{L߾6ls9i:1N@l?mjsOnAsi끳8$q೰`4)js%pD QÕ UW'󭀚eiVn@)P Ql{O 7Sߺ%oC#`;a͖vWBK8DƩ+i1=ve"nҫJ) ITo)arPiqlX3ù t$WFhp[nQw/fHK{]/0X"̰ba3:+K3bQ˞YZ>H  {JdHIM$*E`G}/gSq g:ǀ{PyV'lFe86Tȥ60#(F G]_MFWq~1Mg*I ;&|k[vQKsC󌢮cbQeٽ3BwK jB II_$ĤBVkZf4:Y"a~IЭn q9[8L|#!,SBRZ@@*EL)),.6͠iO>x/bZLjEi!gU]7W)n,#{P-4u]gn fn7ͿP҇­٣ endstream endobj 2230 0 obj << /Length 2308 /Filter /FlateDecode >> stream xYݏ ߿b>>KC"!i}Kkkf\x?ng/)ҟ $Y)"$ew)v?.ȏ=_]^: ۻQ;اGCڙ-|B*-0a?On|a=n(/L|/ q9R;&_hGdruIԕA@<$2rҦ0ƸZTGZHpPNc]}ń4J[&UԡSMUGG+u2K+LyY #P .M}l3?ЫB>]˻Lchژnrvc^89ůYVcru51{ƹ'_(Hz]2tl} ;spQ`|eC#wU38""/RGz)@E-.us9v{X|w -힋4NZv?߰QlHx^a2tΦ;\Z{|{ B +1~x2V6\qt#&ip>lWH˲F]b bŬoG!,Y2sN-Dұ Uߴŧ=ɆK,PYӘ*ҷ̡'$R8-_A@ ']TX0${Ct# ,wJU݀ҒBFT1jdN}e3Hz_rbx(Z .kRkK|UsPt)6)D%Ay8X9ﰰm[z<۔fv}cJi^o[ݦn_T؋c/ˀvV~ @1`JMG;>@3Pxc\4|WfnG }")^ϟ7 #q ^69q9,`D F;[r$XWmqYf3<<>t‰B2'eYe Fi7O\ 'nvP1 XN-h5Fr}8I4P_䳘0ƀIybq4z~iJ% m6~2VQ=_B*(d<_n 7#M0e7t6sVC uqϼ}œj%綇aV*VTD3 !̱O#6&pAmxaW& "Hm߼߉N>41ew92 x`)S)w?nUV2?oYb1 +³2<ɀnnITj YL|JtUT{\xwbXTJҡ]Hf*IW(gؼ?`x_g>E9߯Eo4xV{.94-[4]3;XQځDZM@n:ECEgOD1<} XYdTb#lfD:h~[ʓ7~}d 8 uԴdDYWc{)|) T6doA{$KcpIf^W&Ԕ< S,UEmVj Z;yB/*k̥L3R}粨 UU(CacX[Ҥ)q8tHOM=@qYM&Xf0Xpb.&CA/s~@S L_ğ @H =!` $YLHs{6,Q~r>)6LK|\ t+zU^F"!G%Jiẖǻ?.ڡ!]ݙ aew%pxp '܁CX3Xw4`y1Qс͕)}ڧd]|qFdʎ(0 cVX[cu͂2:0cJ$/2? `/8ϙ27L܆~og/t endstream endobj 2238 0 obj << /Length 2272 /Filter /FlateDecode >> stream x]s۸ݿBK4?=㒦ӴoM =ԑTbw㻋Hl9N_ _bwpqo/p{/x0"4XŋCۿ\|Q2-2diJXk:4aWaǃMPp;cHQK,%OYz}RHU)[=U[}y%YiZ:XUUe}OKx/rrAs~;Ǯ_ΰwI2, T[TQƪG)-V=zk ^ڜ649-JbmKׇZ\N "Mוwr1jQꍭȖ^xXr(Y$53f,dfkV, $E[, { ԡou7E49Ks R`0fh)bq$! |^{.E>V$'4!D=ɘ0}SG<,TOVhCR$432)Lo),MbE,D&3 %ȫG2 9 ғ,Hr&۔>ΫEY>"!ijZY*NeELq@}Q5\IӮ`GÁ͹7M_9^{2^G8y'Yc"'q&AE|g[񍻒bL8 5>M;BPN8>kpW=Ax1'f ~~z ?.q_xg tlUs4(p&&L'Nb Vy'uӛD~Ek(3tbQ̃6KpbҭTuMJC[pR{ K-Dħ;LT&RҤ}pĂz5~aEgv`Vf(fgy u*7g|UG'upޱRfO8ih6q*̍qR>NjKu)AĿI`fhfϸI 6/CVj v`Jb t~B]uO+n8}lYWÍ7gT5|CȀyE-:#~T^8&vAoN}7٦֟~khaz`}xRKbHrGIޡXT]C3з@7m vW  bEY|3W\D,4xw\<ƿء3h QMryIȖweCS"XǜڛC>VWW`ݟ,ϥ+yK;4(zW5]/L5Q!xFx+ ܦ*07=Sdm(֛s8#4ci/aCקpUX pr&l1>5O̘hNKL>PI0[oE|an~,LCI~JϯG&׉P|ʫqձ_T Sbsme7GL*79j<:)=tTS%LQoֿnv44/NU!7å.q+~4"pu\nOL,'dkza_iN,Ut5BF:Jf8u>5>ԍ؍}!ni5t `~J_භ Jd>~7 TP_%9qeUUG5mmO/jEC-DQEh6rGk0$&9XjΡd蜔,aL+w듨fHAn[KzU^S9Y/&!&mK:Sݪ-:znyt\ endstream endobj 2244 0 obj << /Length 2746 /Filter /FlateDecode >> stream xZIܶW̑S僣RJECf@5t.M~}fOk$\>- y77?FpDn1>=y}QJEnu?Krj?yUvމx3~~=`y#4SHog6Nhenqv=M8:VQUF~1_J5̄gm (DzԤ?«Q)maHLi\Z5NV666|@Q:/4iy invuz bVSZMU|>5&acM0 MX%%t'"ُ.ѽΠ UVA@4iӺ-qX3\)MbY!gt>իg=wwSXLn<݅AtFH$jiӑa  e@KQA gBQH9641L7 W9<pIh!\bL31 ~"}_M:^:h¨_UAwk[9XþBTs,*MƯR90,/[:2/KT<}8Uq' 䐳YuL?HPFqq]Dpɱq-. l (b(ߓR]( tあ^iEVaD/b7wS 'HI iC\i =|HА}s=}n!PϞ^@e䋀 ]]9Dǣygk{y BA,|A|Bcz ~mWmϴnHH~3}6T5=w]ݐI'IjOU2jt5FY+_%c4u JiAӧ ۪Ω0$ݧ-CU P\>ܚr2|ƛXYKQ]@MHO^oA*h1su_I[&T-zjtrMOcfe™z 5,= K4jPldձhvR瀃ST9cAt M .ۙ69S1-šeVL4,p!VB s /0e_=xUjxUp5{Kvy3p,Jˉ{Cx2gxbcZ+]_@I<$7رwg뼳QG|ryē]z ^N8b"um@4! _ &JLrIOr/b XRq73!*"Dg8,FNo#tD??`t ^g 7C?@~ (2DkZ/4[54YAmȴ̘=Dv:z x bwdLuf؄>MP#-,И)%s"s1Ke̤{ \M4V$'nNdݨFeL@qAPFq;$%[_jx}zENg89 S>G~YhI!vK(\"O3++-ʟ FU4y—-fAw{8UޚFYp2)†Sg) n Ȱ[&r7|~  \G!N-ˇNv.,o=tÕWޏq=1{ 1% Y$\ SzVmLn?{Y endstream endobj 2249 0 obj << /Length 1581 /Filter /FlateDecode >> stream xڽX[o6~ϯ %Eђ3t@a5k`d:!I_Ë.uxnsΞ_=yIX@0Z .A)NXp >_?awDy[\-8 ft"WES8 AJQL} BXF7ɹSKؕ3hXp}w}Q;Cq*ioN):}P:WE)k4'rC(bM)Df7'b2>R #[Q+1gc"Sk#k2{MQ)y:$H*F(& Qą@\]KLff>- Ź0"qzVLQ_^l| $(^xI-R%K e(#}ezS^jݺoaDY38t ) .4>&REyɥFxq;U5WVQ{XTQ o#0 "㪇BGU 45&e ~5XJj&4N 8VdrR\ Qtzuyvms+t<NrJ)݁ҡSI5 4uZ'͆+n7C9iq^(~UsvSf$ wLj$],Tw{zqOvB.Dˌ]F<]n Nֲfe{ )ϡn7o2GΣ8Ex:W~X&_z,>|Ev/^Q{7OKvYeOWnSw PxʢCWDc+MkE-5l.^A KeS]U{ Ҳ{JΫQo4h(4_mvoZoC;ah\U[?Ous[w#Iws0/ҷphqjJ% u; jQa0ƒ'mVptn WڨDiql lju^ c(qc=|Ɩ_9ѽ"?imnK(૾?Fes"0e~{o@1;xMLgZp"EiHY\4E5h|};EF)+ls_(5#U7/ɷCwspMn`f eӪQ9G 9@/vgg.5h?4F&jTH)Bۦܬz/X{ګ 'Vz~ 87C_>-E߄}1(2F)쿶Kj5NoS; hWut̸.`Ȫ;P\Gт[Gũ$ӤWi-Yt8IDzIc蠘ó ,xky^֣Xy_et8 ƺK'Dۥ)g/? endstream endobj 2255 0 obj << /Length 1926 /Filter /FlateDecode >> stream xڵXK62bE lIР@K@[\Yvp(Y2SÙo݂/~u} YsX.RHyx/}N;,CTeYw5_:SnoTa ֳD,P;`}SQ"Q<CY4+eB,C!de=w`Eݝq nЊ+㳘/B Œc^,moMA5{00bB dyU,\?3IЅ=m/ {MS4rl|2Ȅ%WJlg]o;LX$25HfpT˥ '*l-w ~נk04-0 e.i2mV- ۃ#s mv sŸM8|d1\/(88祋E+[4$r Ә՛A}t*-^#k);h8գ8B]x 5 DCG2IS )V0ɒ@o`PoXi`Z p%F `ǭT*+4ҝ( Jj| h 4%lW40 >nLYX&zin5hztUꖖ@6(61R;}`vHX0>%<[*p̧&s(v6ډ2! +soA[Hi4`U_d84EI S& oTvMN6EeQ=k0tƃ>Vpjǃډ-gs#V|H4hv"ƃ]α Z[RAlK9H hǃR=1zfT̓yRyϩ#4 $0s@kĭjR6nMENxk1Jo͊arxf3?D IsĹiIdr-r}j_|zn\nݷlZ^`̶} yGxZe,br=@݈31m%c#˺H."Shg>,Ux4fvJF9Do(.7s$o$ff* z GȖUߺywN6QCH-lCg;N 覦2{WhJZ 2Xl(FNLaNwȴ-!1[\buÔF}]WERw'C1mCđM-f нZ:XEUCP"fYUgZcO5ٕ| *w˲H2u,˓.'{7auIi0J_F؏+"Auwnj֝>PjzؚΛ̀QlX@rMЍDW%ŭrt,G`U[zcaK`̛|@w<=+E s1.Xnk_2wGI@MWw=\Nۍg +^(^d>b) h\uHH_Ff0)us p@W8D}Fīx}?er3ǧJP}qK;,.,>=T;Pɝ[_ LG endstream endobj 2259 0 obj << /Length 1306 /Filter /FlateDecode >> stream xڭXK6ڋ D I` iHMAkd`}g8,ڲ}\Lr8㛡{/˛wBy'[>xZzx_}7D̒03bakִuno39fAtۮͫ(\q.A#Ĉ[bMJ\bRds=ZN E*:z#a8< V@j?΄`Ef7Đ5MV"Ӣx"bkxhUV.-pMXmWۭuU/Ӝ$4H^ BdPiҙ|+W*ebZΟw`j,UD~nt,m@]88Xif&"* Zd{C@jAR7]a7jgOPYD/D@EL @jb#`BwE*1b1M5, [eF<$4Ds,l&FmlZ{lkW]ջ"#-Rekl^6{Φ)*0KbSX+<>”RLa=bے !yI V#&( #(cLaZ-BHtYґT ! 3R2m7X2t/uJ!AƭDl$wc>50Ly!w:sʩ%צ9͈xlǼ;*ϋTYCv-yJ<8YGwK!3+ǟ;"0mZ,|rK^kPyͧޟϯ Gy9nΫ33t1u"aJ={um\{ޯo^~%.baKc+-IG dY( alrpRP ,m'ȡ9iUxBC:o֦2-?;{@p"KxHw46=9BxȨl%L,IBdsd(& 5 |CqBrsO?Z?Ð endstream endobj 2263 0 obj << /Length 2774 /Filter /FlateDecode >> stream xڭZoܸ_@_d}H >zUk=I{w3Ԋ2E_93C9m|yER~c$yts}:JW[c臲;w5ߦq󗷟EdSg*,?*zV:6JbDts֙2Qy{y_Ϗ';_W/U9 PQEcsוyG"8Slx{wnӮƍ7" _W"*[z7VdqoS .oOt.Kb(g7βlO0Q=5(RZJ'фlm[Z\fH]M9ZUv4GVF;@=uGB'TP͖)Ħ5FkOhƩDC1[<70rG6သ&F44dcޒ[w"a S}i:H[67IME~8K%~d1qa"I4Gٓnɒ+8JnTT qng83>.d"F-N]utT`]56`#l(ޯ].S>gTa3yΑ<2ESoBzDaέL@fOgֈ~G\Өz0BD:R8KRgۯ(b!|fDžAJbDMwӪ-[BP66MVgĩEI 1$S﮶LY8B?߇TK|6S,a Biӳ rgͳG"VY9Tx`ݥQh  596op֯d`܈#ݞ~W*-3_XSؼ5T9 :x'ɵ(jR((dR8 L;|ǚۮZlw)ؽ*Fyy6wO4>ՒYx> tVlvjfw "cd7;„ p%\{, JYnnPfD`Yv/ܑ/CT):J%/3o<@j%哘L4;>b%IK;U- a6Qrt۩9nd Hn k@+ M%4"ZX=I}ϔ =fdm'DS:Vgx ) aþxd=^:oxrw+Ei,K_,|DA['$Sx]gA J]v*&RM5hW=)NuWsL 0#b{dۮ@Dv;{ WO G3LETeEd~_/"Y<Ȣ`p.Vt,iv侼$Kӳk޴7@Lʅ|/W ?LHsvO-3!Q$Si&yrGj:!6 cGmͧ{W #K6#}&7 W`pjQ`dsfp^yAH?5d3 ڏH .&[~!%v(H]|*+ښi޶߹ET{cop֏y<6F22gΎAR.j3/SK rmTF=}>E:3j&@)9y7L ҹw 9sdܝ| I7f1+5? 5ew"WjV#c3ڒS%5;T7c}UۊnSH;, =p˿GtS#pAucm0"x``bׄ"뤁s'cS4#nQ"S'Ȕw̡LWHtJlY9KX A%LA>ќf\U ZU16e'JüD`j'fU+)-BX@rY7Jܮ\ *o[_e7m=Q(`tgy!`W7 !_>!ݗAZd"nA7q4!D%)_%(sUj]"RO؆If;t:~}e,5x^! -|yY1Ǡ@yK/ endstream endobj 2161 0 obj << /Type /ObjStm /N 100 /First 971 /Length 1833 /Filter /FlateDecode >> stream xZKo7W@0䁴Z Hrhk8B4?ZJZ^oS6; 8DQ bb ꈋ QVL(5PWrprLNr7Bt9E{CT۫ 1qoP,E6i!,c(8U(,%W1I]0,4ŊIlP3L=4SɤJ6c"sVn.lWXF`G( ;,ɖ@X5Btlrmj@jeIhbtb`C;M m&`[$Y@*F@E&;l`RBY-P F0Q4B N[`uʱ&Ɇ<"j4kJJj! QbLVdQJ0hK'%TbcA)5Ao--5ZL &jE [^`Wdcb1 1)Kje r3r G8rtzst%do.ɵe%(, K3!5(-"EI*EZHPEbr}yNN%ET4xBcwO06OXu[JqVȼ7TaN==yXZ_YݸS|[]}qg |2_i翯kuysmL!6~|^^]أygwjFR)W:+bSXxNq5~7g_~xv!g 8(*>=hhP 0ksvNb:‹7NL6X ؙG^^1۩k67Ӈ?gf%-X|~ۃ9v%1! 1E3(xCG Ci[~~v7Y]3eZǻ*ˈ(_8PKc쳗fKOϱD%$k}XBVWt%O›Z+t+9]X=YWAA71@JS7#hWf$ɋ}uҌ`E ϖz̕f*e3u@8>+8}F8.3`2XԿvyY{|a8+~gՁq,mNh>^ΘUE tہF} .pRzPw5ұS#t{ MI@Ec$}$pfUI'p>Ym?>KVϊw^}ogBn|qFgh9F{x6Z_xbfbJvpxaEbv279w*&qCQXs6GZ-}Zi ZrUilXU#g}HRdG.{AE"l,0%Aw{t!$\@$D3]z*v+o? *Rb(}=dn[}cA¬?PgFG]5b{6&h~Jh@8x1!?f!7N kL_N,. a;pENrCKq *Ta/?r, TeoB>sʈ߄JtW=؍bKs䲈)r%e ctĩH T daW šT2 +RT濹"Б}cι*ӧhU&S+k{*KXYX䮖='v[{vwFOҔFKahv%$(oV m+*h+ſ>& endstream endobj 2273 0 obj << /Length 2026 /Filter /FlateDecode >> stream xYK6ϯ bė(5C&, ɥoAȒW;OI؍d^Z.V}.']כwozO&$Or)SIF!wCDMe|(']ds:$mGSW{ΖɌPX%<9/TSoAN⦍umtձB/PN9A fߺՓ-+!Jc5C K)ewk+jgnGLc>M[w`*̃ۘ _N}0SEI[$_W ̀‰]\Ҹb PDl П Lw|M:aKwM.@"eV$ $ .;RqMab=3 Mjԩ: 'D`Q 3i{gq]k1*OŌ{> i%T饣+kd('YeY.$y:yמrrSAd8t+{`9_%U΍^@-g!Df;YۨH9~]iЍ`,"׸AϹP)IY´}LA3s5fBu@Ϯ,ٲ $[Q֯:tN ɛ4 s|{o?sVuezU-K\gP`* ,#<{x^t&+3d!i8]=N6Wgb!7"<٪Xňɉ'>(m?WҦF7v)˃so& 4pBpEQ0H@MEUs}:a%٭tYvP5QEYu;70/Eϭ{b"Q7:u,F2OqKa+(1EK/\$J(r"dV\.‹JgAt/ٹ$m})ث^DzYorBXB͓ uU7)G,nUQvSʉR,RSҕցv\UOEԷjq'!NW͊L'>y|Q:!ؖ-k;n7 Zj0iMD'1J«b?qw7"{ko٣ɠP lK.PZ8!r;$wc[Q $!NC59 ݖZB7=.hw} y1~4gv d5 $[K `2Nds=9?p$Hb`/7obQǮ;L0 Wn+Y=DV!tUA.h4;-3;Q|:$^|ϔW!D`]{? D|4A@ڼr◒3<\wh[ |a}:1TPzk$WJ"ly9ndOGW^Q!BnJ9(Ze,ŶhTԥt endstream endobj 2286 0 obj << /Length 2772 /Filter /FlateDecode >> stream xَ}DmOuP 6~Iȃn-cǻ.jNƛ5'RXql{7߼MyF2?a&/0(IH.ʵWv8f^Y];yM&7ޚh? TՓP7#5Ox!Sqf1U[,K{CW֏LCiO8=?WM{9{vwq  ov*\DObHm$/Ltvy`~ ¸.!5O[=àQ8 ~*LG 2t;{;\KFx`y FQuf8p{6->3OʨCgx8o#I;ЎB~l d/ @V@Џ#nn x8/f!Y e&A>8f6Jä5;9d~l( J "rNqn#,HE ^Q /;s ^F \ 9v+AJ4gfs9A<+)pP_C [T۲x8" ,I8& eRI04Xqf8+)#JMx(]i'ہ2 !k Z='A L Q7ע,$Ȏ%4::J8;.O?aJC3?W, %s(蕽)f\)dyt,Zt;ǡ- K"oMīm^[WPÜ)"b(Kf d@x)JC-~ ψ Dg؏}%ktOW/)hEVg^0 vЪ`d}PS]Bz-/^ c6J'…$sUX=`m"Q?LV7'&M# Iƌea`Q 3:@6brĶ^ne~LTǭ O:H~R(UпG 6hr6-4@\$crLS7Z oҁY !̀^JE=樨oGv~3/̥s %H` qK)K^xK pL ;Ax ?ax`d AjXc]|dhå!;g[HK1}f[hixdǥ|0eRNwl[\ Yq&1W/1d Lbfdwkq!RγʪD),S p1OݟIRes1#ےhFS-$؆;<)vhZzl6Lgrx .粟OEMSIAIJ8đzJEf`/)b+k [ 1e{!z(y'7^hUvvF=YtiQ`9O`È  (&GPDunu;!\t ˜Md;Ċޱ{pyP?T.>r AzSpü0 cs@2;mGֻ&\Vb.IA 7|4&= ϞWZ?/^n{|6x;_x?Eyf&zBQ |u۷o~@ؙ endstream endobj 2292 0 obj << /Length 2337 /Filter /FlateDecode >> stream xڭXێ}߯跨mH Npd}FRw+lxWÉcO*V*F&|7؈(,BlLn(Dm͏726vq]ewCC͗Vw燿j`D)3 7>ỸH8M@L4;%Upϟ#pN0Q0AġJxDcLKm* %mY̎(i-p{O߶I>O{;vb2T}]Ӄ+( # }3N}2h,^;4>EFF4ţX1D4yKS܎G(T=ѥL:d mGCt$֦t+ϸ0iEʮ&T%Ozp$eݱo ő(F pKُ-F0G-:=;t 0rRS'rr&ݙ.}Uaʎ^]6-]QӷBpױD/ *4,lx@<"80j1Z*˞W{~/<aK0YӍ01M>ÙU A`HGigƒo;U94$Ǖ$Evy螺[0*sJ>$.KqݭUhPtP*yfCz+?E*z{2"C]{$ s~ĐwRpEdJ:N 333sw0 qё% y Q7a2W LKńkr]WE@;uh҈s!gf%KD4τ;sl@aIua=m]gP{^tr{-%S"ʧ#v# $If|LWM2<{WfG !e_ۤX5ZkDKDfBkole3l`'@2p1u`7w(|g$n|$Tݮn?8nIqϘ)Kt/*.٧, # }DKR$ZK `$kۻ ":+g!YICo!`bhҁfh:(@ kQ@Y Exm>3wd&iDOHzʲ`>_u1 kȁƻ.$˄b#N͹!f %M@S5l! ތn+[%ϞioS?/I$ endstream endobj 2297 0 obj << /Length 1630 /Filter /FlateDecode >> stream xڝWY6~_a*2+J) i>ⷦ0(KbK^I޵p6ok87x7t~yo\̸R/,g0/e>"W>{EXD.G#ua9QۢE.¸(rSQO|"ꉺX1ds0E|o܏N^|xXҸZ#ŔlyE:aN2/(8sܦq k삔4t7EK:[QŎrx?0^PGa/+U@&2(Quґ!u ZzCI}OGm+.׍3H $Z5sIZkjuQ>Ah &LbeȆۓJ&~eǔ֥[8JٻoP2N7~hxTz[tMMd+u!-Td;()̸ӷn+spb(ؑ}Si?e )Wз{xc|bZ9Ng (: |=YС8yKY(B3Q%?&oh(5a6.g"?˲RXO-EAʴj"iۃg6Aɺ$r-Ǐq w@jTE"Z+ZB',I|S1Q<AhTku3PHʆˋ7abZEXFORRfߌ4ᶡ;Gk:BN ~rEs1 }?h]WZi niJi28ˍz7āFGZa[+crKk)5x&42nUL:  \PwqMKL+>+TWT6rDeE[<-fZH9`${|'惁큼LgCa{j]TsAuux09X}VX)&ѤiA3Hh\NA!K/`:} 繆Q(A<ם8暥QVqg]k]@r*'9l*o>^V5~3*%)WcݺUqYB?kiHCM#]]y V_{o {:$ ܕ '~e(+J[PK%류d\85е2o2Lni{}*Я-XC|I~E-E l? S endstream endobj 2302 0 obj << /Length 2100 /Filter /FlateDecode >> stream xZm6B] lwCp"Z,9]7ádі.Yp8d|ovNp,/Xxun[]OgRI̦8Vq>jϭ.*o?ar3x ՍoEx}'Ő|!S\y38LhV,Qے~O]kj~jJ~fa u S{a͸da`XlJg?ؖy}w96[q 7}˱ٿ?RZ~VvOȳu]" xOyZ@`O6|0*J7Ku]c hPy9KW( &%3K"BK~u^>oR-%u",)%7+FDvy{Ғuk["-֞ s Q[74K gq LJM{ }(a #Uow m~< ɨoӐ!dbZɊ~6:#̉ w6vi' T.7Ͳ1 QE=EU.ӔeVo0KÀ$% : 7ɍrhXua~MgbiY5VTԊZMmGARNI嬦C-j,HvQu6 b䲣 ?`җW1sas7vxM[4,7gYcf#2|.RbhJN\Wc ,LZ⼥%u|O]aӇB),RP˂A! Mc1= !!v>ݤ;Z0$Mf0(n>ooF -J)6+ +__&K;Qq{U67n0!` )x|oM{2+:(ur/*\$^ }g-F$ ݹA3*aoeXqlk6z:w M}_ % 'n) Ӂtsϸ`ONbԇ2 <%/1g*2:m*TrF FS)懡MVq+j (t@0r~"Np7FE}87e FN1=d _(z[U\:v W vYHD̸:v1\Κa<ƢK1mMs]ϹeC=_5Oj,5ͼ&  iCHZyWxÆϖ>(I{ $B2>d?團ҁ;[ѴڈhKO w|<ƮhRm8}a// endstream endobj 2307 0 obj << /Length 2209 /Filter /FlateDecode >> stream x[sF_#Z' $Udm"A`ڕO EuŌf_4ޝwW߮/";I0l:[crc,mj ]jM[rE.*u[|dFSCcl6M3Ij'.(:*s=A"2Ȫm؝fn<7?袌FoWWW*)^{)CE,'CGE!!{?^w~e@hշoCң!P@6 $/!J$8':*QB'. ̽SckwXƒ=)yIQz<`Xͬ7%)##p9fzk6k HG qg[u edT{8[?> stream xY[o6~ϯ$+%C ayk e[l$;BJҢE^b"ϝ9I}Fr{#NQ8ED2Pxt>ſԹ+UB)%Z%Rf괿}aW8e}jW_nx)A1T?C wݤN(a!%4EvӇkʻKW%ñj4,?cʶŦnTynn[x2TԃwMQ-r?GǺGXOuSlnEd> ;*bE GQ 3!(yQ';djvVX9κڜV{GIˁd`<"ⲵ_jhsL-)fBٟ2Tھal FӨGeڮlKS_ @pnVǘNy +Z%X/ @JH ,p R$ }ZzfS/nI֍g3oc"}%\%d:fbUZ zǷ[J(2 qӿ?D~JpF+iRjw닐 *aD))DHtV2sJ7&a"{a;mUSU_1 <PyoD!Z< bIOvL$OƟΑA_t1C G-ɰ%;YypN04!7mhd6&A!RDоVpsf &3ug!=QwYTqC~PP`M\ԕOW$i6mgqW7G;(a]btf:jvTwփЕ]-b_7eѮð!Faǀ̬u0fl2`l(>\ !<\āDh=z lƯXNzKAxAP(DD8q7  K}}NUk"=z1Pc|AFI(%yI' !A]|4sfD &bLgǢ4ٕ`xhhA`{ZbB_8Hp!:hy'sf.IJSZ|=9LT endstream endobj 2317 0 obj << /Length 371 /Filter /FlateDecode >> stream xuRN0#`Ϋ# 10e 4n\Ů=v[@%}9!hz`lv 8eJ3xfB[AW(?P`v|ڻj"[wO8 <6zu+@9G^S^l endstream endobj 2321 0 obj << /Length 1310 /Filter /FlateDecode >> stream xZIFԾ0i()ʑ[O<f}Yly6@+9Ѧ߾| : _&Op6`8`:0|`%T$<x= CCF1vg̶,Hd3_&_*3-4cZdTOBU~ 9<hiiۦ1&bM.e<'F%".HsƎD`V20NmLB%́,'MwlW>(~Ei'J"s>Qi´=-iL%ڃ iJ!W(JLf*s"sP@jrM!]!Q<]ц(mQA_͈cH gQgw=0mz[mq V#d11|F}.?~DȈTCJE3AsW&"U|.M]MfEhVkʨW4p`D7!wJa~8?T; GۅɏťT% j::yqAKpBX7"lo$'v.9!| :,#TFaLьЗooh^#@   ϛA͠(ZS]kǽqDp?WFՅ >OO(&L,4e6)6~C瀑+C.lPE["ӟ+!xhH_Xߖ7rhTξ]bЂ+-l*L*DVvD0h!;:OmSnW:Nm% T=h G|3{XR v#y@! bA=vZ5Vk347 6Xm ~-v%|o-T;oB8Yr~}ԶjO} m/Vv"z5p. 迵^4\t2t.K@ahz v5K.?_ˈ}~n:^`;Nv#n.i3/6w*T;[PXݸט>Zjp endstream endobj 2325 0 obj << /Length 1853 /Filter /FlateDecode >> stream x[=b'F JTjVj_oi<n LM#l_Fn~|ëUQR2WMmR 'r1P&~ztW6ʈ\MBˌ P%/+tŎc_c5 ,l￸0ڶ mӵПWc>QPa[ϐrVU6Hi9 T4v@\Zy6ݟNÇ8hu7DΝ7?ӊ$ \dI3gwtTw(S)%ћ0,K:;>wG"4nݽc ́o~>߯%C!հFݨ7'Ki:[ɍ0iZFR9C"R3 ucݵk"&T􅈑-ݝWt"a8-6aTR+2pbR2)0ǂ.D '1dˤS;e Ć]sFMp8Yۉ!ʃ ]8`1Cҥ3h{= -<@C,*xc| fȓ19Raۖ8tWl򐵵KuhNu=Rf! DIxʵm,b_!Č+A+4:'x3t5ռ6L_-5ഩ:!߮^#8x\@[\)ƿwQ$L朽Ə] =Jzǯ_XgKK9h@"R7NK}2wbt!BjѩM,_"1stƀSԱ+՚ꗅ6ss<>msb~+x9W%+7^ߚz^i$ak8S)߸Pΰf9-4S\<7쑸<`f󩯠/%qƾPρWns '>B4$CoBH8D-'(i5ao-s'X%'VB`aݍYΛ~WKz 2qSSG/ :/+miMnTvM$ݣ)7< yQ.S7`,`YG﫞;rKwD Lvy5-\PB\ei76O`S9m">`_s^!;@)>]7| OSƒeJt|pd(?oVO7\%|B`FhpbHM endstream endobj 2331 0 obj << /Length 2798 /Filter /FlateDecode >> stream xZYܸ~h%j`Z@A ;>#KbCg&>uQȎ0}i^"YUjp9x_o{n|HCeŇn0 =4s˨.{Ӡ۾2m_~xKQIzObzl NQANqγ] Yad s no.Ԡװ8rL%wL4pK7Ey Nۭtɍp٘~ڇ1sՠ˾j;OہO~Ƒ *P;?6y$3\qCIZ7 ;x깬>N.#M8Mum^{!kVCW].dλjsS ukʽ,<8Hn.# Nw"pכv{LXޮj`p(wf7\MW; iݏ.G7<WBx{Ϗؽ 4M`nLOrDv^mJ֖uUӆ5SG EF/3N8iOme1Y!BɛŎ3+;+jAȹ0X-YD_ {8kTgb Agm5pW5>s(Ѽgـ)؏-f1rjةMR4(qP`(gAi!PjPgn]4E UXyUh̰ `Ewplt 4O4M[+a^ìYLa4#ޥ2L԰~a֬IX?:NL}!E н6f!?Vuc a+PNי5u]r 孟$}N FG]%GifF@1.w~Jhڀ!ѵ_ @LdzfB, .*ˆ #O!d'Fb@i7UC^o Cga[U])gY1yʋj+"Jđ$qTP_}2T&W2ܒF -17<\?ƑN&>^r$_܎$V{ZZHqJ83aA6fDAZasBf[2E=BuUTtrM-_:aQRE>v2Y`+^\8knr-n?K< ܛv)V;_)HRV(ϝ:]+|oԪm̀Z7c,Pf%|!ɖ9DdϜ?bnMbbe,N\M50&%rkrNn4j`XڻvUyap%DЩx <78g!E,K 229?^ Fd>byGA(A_A)%)p@^U{&}0#&фx*CgIƤ^k&fci( [&C؂*zQ#/E2aDPBĻFU@:CP厇%k,QW%Yh\%rnCGm֖fi1Nh@%m~1M7|#o'GyfYƄrB|Cdscwsata =TU`yƮ+g׵*PXh"9ئ76fz3] Ct[;ע[P;zM w< '.LeUV Ʒ Z{ioFZz]Yx5f1H}PǖIH[͐Q&%j>;a~/| $gk$o.&#{"'-)/cQ' plj`G:7ǪĦz`1$5 4)bl߱TI>;SH$6_ɸyjfc,/"?!ﯜ`}~@$L\SEQ'[䑜]) P#s*OA}>WO+|OH5g3sRW5ltIV.SN8$aqM<&_FͯoNd5Dx[ڧ+ @[MRkh?I˫bg#!t$΍ȠR#/^Db?^q^ )i=nkĸ^0ԩ5O‚RL;v/ط:[o_8O3'B !=:)AFVl4&SfƳ-VEu ԵFpx*ރJww|(~&LP= ~2jzM]V#'<̐Z[ǥS1&d_ 0f#зiouӌy߿3M1m/ ,,gxEgSF- h6o|#;uĮ%rOu2?fKط`8 9><& %/I)m 2Ȯoij}&!ޕ"HAuoYNGO}u`&U;w> stream xڥV_oF@~) ppF(M侤ROjZyUn!vߙ݅FyaofqZ/>l.|BsI&ɬȷ"7&nZjm~pGďtI&ZǶgU7t9ad~bS|XM(YkeټKb˅O%\"ȵJ_{O3X*5ACsdmJ3\q>Cꎷ$a`~pKHF ӔK^tA YF,s+ڗbbҜ#Mmn0FdZ({DȖu ]]Nrz*qR(p>ZhOm~xU.é/*$d :*R蛣wP6Qh&B17TW+E0q|08@Ql9Gnn|i-Qrl1'w#$Zg`u`Ld̚ZFsVl5 6xijeAkQ Bsm udY_$R+5-+J At}1_i$og A RHIzU=~z7-cr3ޒWf hM}`x{.2JI,XH#Eڲ*_s^4-a*[?&ImB;?$gm@U7f0)}h{@DMLv9:Ao؁db~Ɛήk?4eG>>|DX ^AW;z>dV5NQxgjPv]&n|r6*\].^h&Dq[fпM?iywfnʭ>L_ hkIyew*׷'lj"ۂȹ`)w&<&m~ ku*zr)ӵ0Y;Mq[^%@3U [ Â~ :ɹRR!/g;&ޞm"s}_㑥 懹9ۢV}}{5PXs /Qx3Fg{d8xj~\6Ұ endstream endobj 2340 0 obj << /Length 1052 /Filter /FlateDecode >> stream xWKo6W ,@#R(]l- (|KH":×-2 `_pfoq,u$!$ۗDDd%OM>(NeH?i;Ne~% +f/~u:h5i; " 9,vvF)g"vO!!6²l֖p1lQ2DYR "ls[R+?9DP@0GNj?tTQ~0A|26R\Q ݫ-jcFm#`:E٭^փ87aՙOzHsEY@ ʣV,ӑ3J5o?vk5,YCLO/6SL~G0Cٜ15h]z%$Ѷ__VɣjQ*-7KixKp_rYMy/ S~ԳmoҨݠ[5nBUkq*mx?/9K9xVEǏf%2~2 ͂% pTc SRFt Һ(:&rZR\U}[&e 'ڇiWqC&#&)*\< ZbC=&ݐL+xykІ$`c\K U!n(2%D,N՘piq[x!1 fw/8γGQAq|Hx#>Ok'9$`õG|hwtwv:Evs K2i5/mu@S ]ssJ endstream endobj 2346 0 obj << /Length 1216 /Filter /FlateDecode >> stream xW[F~ 2&3-iJZ(v ^d{F4NlcɳfF3;wޏ܍^#8Ky*K' Aܭ+d%1VIE,#_rߚ@ho{:1kʧx6B5 ngBBR o,K^Z/q2n `n lcP3 .HOƒET]z_, %Ea>`8 A[`dUP֕1T5ɮQ+K\]=(Hr*SS5^cޣEdž`>CiJUgNn;('$=zu^RZ].Y]aemqR=a[hk ו'QwmR^/znBjt"wJf;NR8h*a@ѤOǦ@<&9p9ǃu]mԿ Yie <8l$!:R'S`oGά3zHbf ʲrVzw4)jg.6V~A]UPgżp߸||]/Xthy0Fz頗;T@N~G0.N omݮmT5iUUXn{P endstream endobj 2352 0 obj << /Length 2387 /Filter /FlateDecode >> stream xY[o~(0"F.6A AS6(h3F4k; ˘nHEux#'7۫^}",v& s}sЧAEL\Yoa4Pwp߿F&Kq"EiB+62Q*\A,)L:R%h*9K޻m pM3x&koǾYKb -?x˶i,BId(P*$R9Q%R+JiuBgx~INd ~+i~TPF7P=+VG~ ^7$MҐ&"I/LPZc{s0Ɏ-?^-ۑh^u}澿Cw3Dr\νp`Hp\eXOug(l`|>K8IG_uʗBG+xvdo\~ƨ {qq= wA f0aĻ i!P9ionlY+b.*VK%"ZߒeOFV| 2uBRNi@.:K^/w>{)y,ſcvbN,^w'd>ѯ0{/+d_}덑TdxD(hY@7Ƽ cwl9/*LTXOv]AHO>ճ2K޿Vh"3~Q+ C}<2O#G[kgӖ;~6ԧFW@ \v53`Xn+ eqlq|DxPۊN 8uřHd!f<:}#ܒ+ǦGc 6@"$XP1=N"r>g Lf7r؃nsm=ܑi"=;uI:+ޔ7z1Clxj oqP4\ֽ#Dc=: P{z~/`̆ T<Di.53Nm:j ^$Rd #p\PZ8 $FQ5'ݏuA4pn8q 3u͟$YbJ@U-_h Z`uz=ªZP\y#r}4@J98w\+Aq5 ^6;%/QYmރ1[wXyqBvޮhtXԌU3_7Q3gR!my(@^>6':p|z.ݣP pDaë%4~èGs$kNGlGm|xEU({hOf"E3=5zQonֿ2z$HPLf qOtS0Dhڡhy. h'0( Qfڮ  Q8ؑHs)"4)P?KBAseed*Dk55wQ NADy:r|Bbyb.S9zt4hA498Y4?^yD'G:3}Ȳͧ%PO `qJ/ ǎ`IL)M]oLy☖.V}u._]wuˆJ͆Ka25I{4'Q#xX[I#ִHnF6@{`qہ)w <QxL=SFt pmVyB~<[ ('>fS!k),Z ,t@D:z/GNQeޥ0:]c'xMAD z0]&PEdqޚ 97?veB6 u=I$Ʀi0buf{2]3"hR7 yߗ9Da/0CDyd*/cݧٸЗ'ET,R\,$bawaz;< @q@YaX,*S0#,҆^\xO NΙXzS'}[Y~e, onׁg,\Z H ̒ꝯ(ˆ(l5eCyK܇rVb t!E+H~ĘtNp!S nqw-oT{)w5̐C3 =vpX\UC<*^[}`OxO|barLEHT}NHXBbvcN{57UH endstream endobj 2356 0 obj << /Length 1486 /Filter /FlateDecode >> stream xXK60rSE[$Ezh toIZVr%9 wdQAѢbZp3]xL%)M\|ӄPVכt jO((Uj懬:IP:Uk`d-P뷂Ia35R!6WHD#!+P ~Ia)nV뜯ѴZW6P[LT'w]Ѡ}k~BJdzi1 zBbB?(ig5* MQ%,UD6nKC0:Ÿ<-,MUf?,؃Qj6:ӊE$9V(躶S냮VZy;<̴4]]]Xa(:˂mYhq$BFQ&&Ąs *x8M_֨U눃X%>`D PN8T6PvTw?>/6nh!YIB9c 6("{PaϭANvm!P\j('Nn9MEӥeJL!$M }2ZqW$kfI3+6d~Ҹ(ӶiWx3NY.0]e^̩R?FmGl6UD !" s(&-9-$M Pbo LS $ao/eS&"p;q5]D3̎}>]O퍥pFũ =Y :^cu& _$WVЛ5D ~FCq#C87Q l6F-yF-/djTwq\ EJԬ ttߕGt+c^Үm$`s#8š9IΊM/]3T@g5~[ق$ . 8:w2涽u{g(XGE_C?ne;M$B]dk5\ |jZМ>_syC$@)ފ躰9731@ԛ!f.M[Tbf)O *<'w.틯wCQU?h7~E> stream xˎ6QF#FI i=dom̵Ȓ+;J+y$>87'?Kzx6VZX%"7b3}VFun<cƮ 6Nm;vv'cߒ?D*;n'myt C M!SǺݣhXfc^$!&VmyUx|ݹښ^tdai*/'ߤyE9=o{7kSO!{hT瓙HF"mD'hT[Q9\Ք1xiI':rtAgKDRLp`;-'{W^nZAp`Իxc`3V} FŕE*iЗ+Юtj!wVn9yLw͐/8$X4u_*8 m|, ';j R<]A!̹HZZ׃TdQn-{MЀ |BŘLL bZ3,l[-~'=,Ea%1[X$1C$O'{G|\9@=P 7PlC<61 +K:!h3O1kDbCއP9 ^˒)Y33ܱԐ 9H⺭)61sP!T.TCW(C cginCčF/lٵ'|e&$<+Q(Gl't.(`YD_=I GZaT4ۇ mg%"r:08tuw=|5 P(Dg 9<ԪUN4LTü=$A~Q}!4,r|fFa*ay,Jkyxvṛ/ Q) OCPk#pZ|:}(ݻ5p!#ࢣqiV-& Nv]#XXj4V{6'CH][]> stream x[K60ЋVc6 RHP4 YjmiG.;P+g#''Rșؙ,'ճՓTNC'bⱉr2'o,WicJI %SdaЩM)*4Ϧ6BJ(UCg!2[G:)ȧ6q%1¹f.\x ?qaВ}F[;ܬPs=P`ߚ1ܶ-'tmM )'R%9kKAW}}DHH(=Qv&}6 ݦO/yuPE74~TQ.tks) \`$Zuge:)1[VaQ> ^EB|>iFUb3x*?v@ n sn ,N8da`oX;Gk߱")j+ZLIC%1zgFy]X?R@N+K*@)2+۠%NɹdO.yg}}H-wsjA{Mvם7C VI'uۥh7tte#HR:{w?pn>{كf@%ϲ~y'_vj|A'~[dYױz5_ .S1uo}IqwXO=.k#o%zϖeHpJ<9Hy]SOo~\όJAwy<Cxzw>k{.˵QG֟@gp?nӹ%}F\rǾ|]uGsw50s(QP}@ϜkəN `n0'aS`dʘ5AwQujVj Ssiz4{T:@P}q*v[j+l`Y#>j3%Ά9Q5ʳ*XqNY}Zqm{8&(u}@.¤׶ MFE({n웥Ԋ.MvNl|X`;N{fڳ.u`V 2\7 :X A{. Ǻ +F:xC-Hڬ&T .z )tPַҝնS-Z鼮#WKUq:/{ ԌYcq>D7u[QF07\q^Xk3ni&uXa4 @aj_֑"mfu(xD=(=_4]aRhn2+W}G\ 8ȅYXl0k&|-|I#Y|uD<L(Ư!%P(8 > TXToCGL' ZGo2~?lNZus[Aۭ;[QީЄ?h뙦vQN]rr.#i 9=a1*1ou:׎ 옠-ʒnn֮^kt_R(5 endstream endobj 2371 0 obj << /Length 1566 /Filter /FlateDecode >> stream xڵXmo6_a( 5CJ(e뀮] 6lƾtM nbtQ*H/<=Gnf|Pglpxʸg]rw4EEbRiVW7{}chYSE]ߖ_PK9yBEuƽ ߋQ8/"T{؁8K(t&-DbY"o\_j$aY' `EgdR)CΩdTpoh3}8sm;-d "GExyAnҙ~*5`5s|!>yx~29ƴď$_/N Rpz򯛡>X1ßsںo^1=2ppJH&éΖHPtE0m,EM_hfgMlR{9hU56 }nVEE_-(@Re@]Yůĸ*[sdĹ2﹐,!k.sJtGn4q `\<نw,Hn\^>!ȉyzdf"Be8$xyF>(f`OJ2Nf2y9 OzIPi}0(e"i,hTC:(-h6w.g#~mw`9A1@a]WtnR8TNg93d뽥!>.n=d`-Qksnq˽i-'@[07MU;g1p& yE#k:5w&^Ɂ0. 4 5utq}ݾ.oO `A^ow;ፁ-1 h^c. dIPp~k9,&`|?c4G5Kn%IpzCdkuc VpDo)gD̤_Ǻ1$v%tJ ]ڻq ^g =G/WmXN,6ʧk!aC` 퉂BUm hk?1C1gbc?9sLtˀR+P<.a쀪["-%.JilB #.WD\!{ }_J+R+:O߷4 ہ!Fm7%D0]M@ 'y6I|ްf,#_&P.ۚV91FMܘ4<@cȒ$BNBnK :2{cFc͗(ltyWS-o9)yDw'(K?Pn]QuJ8Srzˑ :&Կ~[ * endstream endobj 2376 0 obj << /Length 991 /Filter /FlateDecode >> stream xVKoFW9Qp[Ezȥ>P"‡@wfg)I "ff)o7?n R` $|x&xEWp{)!XD{,gNw|^@,gM,)}*NX*](0Ř~6{f\X1tȔH<ÆZ(d8#R+.Piw9s,Y2Y`?uC&~Ϝ 3X٩>L\[}w/4`VfӸC?(:>:Tg> stream xZKo7W̐C0Z Hrhk:B4oh9jz z!g͓\1kq1ku\a|g|H4"9ƒD໸X$i8Uc-TWvjK6 $9 b"8ԦeG, '"(U^QTX1#ͅ|Ji-A (r+ ,T֫[t0n( %1e̵a(df(ib9636 Ť AV-eTpxn:!P7`Hb0;IbQ=L'Uo4=J2Ujn~ef( b,O`q6>2C#Ol k4cr)4ġM1Ubmv" xB "VwKv S 1`*(m))Pf66c*<FL05f 4/̍ͽW2Z!`3BtZYSsD]\g ;9KYAeʕ( DU!|u O>]=yr?OXxq'';e૷SNB܎ #e((nGJmGܭ:6ƝS׽Yq_4{5~8kC͵%&wսZ_o>]]oR{g,e$~ AWm1޶)DF}$ou1oy(#QFS7[~d F=s4kxꈡDCL1TO<;ʈ|<'6|/XE.Ċv4CK| V;֦Ϟư^yϪ{zjO3j;*䭖P=2U * ׮qf`1OB.&DWq!zL(E%kf۫^5J1Ul?>UaRv촟^je?kM{nj. $ }˺չX}>c->vYFnoH$i;YZ*%u`h +vUU/Ҫ&zB 1L7̿c8,yZCMlG!)!IGBrV"yF&F(:mViD:_}_7v=36#'$zdդNK }3H;f6v22@٭\pp*>πdZVdh !8^1|3<…%IHU}N-owo +Ye=Cǘ"y8#ׄ44B̼.XE#'zR{1SVrK,zv`4o(ve%D^ OA"}.$f$w!Y_y@ȼH9:%p/D{&NnTO32GZ$A呚m`9P3N% endstream endobj 2383 0 obj << /Length 1005 /Filter /FlateDecode >> stream xڽV[o6~ϯ$CQ.Vt+aC4hɢ!Sɂv}:-ٲ^LRҡ?.oYd4 IДЈ;¹s߭F0tIElRWTֻz}ˆ$c nPԺp^߆l(~HI3Ԣ6`3j\eft? ,[uE #j\z^.[nZVʽaRd&'NmD]`=+Ldmʪ/cYU`R#c+x)A{ sUag0#,`h0!,!^ACJc#l g}!ƙ*ss^Ql6G)TQB#I]V6nQ -'PQW,L#OBA 4X&IԲL\ʄUSGD*}x Ð͵j^u3ɸcOF<ܵ+yUQZ5AOxEC/%7 @2(##yH( wiԺ)策x [ TX0e4|ڴK >Ə]xn5BL=WVWUYKMY(m۾O;/V-6nȤP\![Aw*֛JL2!SRKE#MGamwnqWj75 fa62CD<ż_/JO U]7 - #8tW`pa7z̟48?2&"<L4*wNgzq?\Uq"o*9r #B?n,nhþ C?X5?WNlZ1W[l찛TJ{wȹῼ&?< &> stream xUM0WX=%ډ$"8=V*MmDG{lƕzϛ1AϳrD HFQFIb8Kh8(D'<s{E1ЙR8C0g3E86,n?zPU!9 7jm* h5, ]lPs,gDcE1 B9a`MizEmg̫ŝ'kXid뇩{g+~VVmʞ=X{Jf{vTcE Fҍ*à07_dwbVFPZGƓJcUא6=0gj:JڌPJȳ,MUord/:/K <),5|Fiz&⮇f60F$հ?h^)L-z}k &s0j:acO88tp< 7SC*8z y"]b^erL endstream endobj 2392 0 obj << /Length 156 /Filter /FlateDecode >> stream xU1@ _kF.:fHD0$/5rAf!Gep¨!=e->?LAc"Jz(b m_} C!dP.2_4 h$DF}#0 endstream endobj 2396 0 obj << /Length 19 /Filter /FlateDecode >> stream x3PHW0Pp2Ac( endstream endobj 2400 0 obj << /Length 2261 /Filter /FlateDecode >> stream xڭYKۺ Wx)SSTv9nft4ck[$O2P8MVAAyn./R <|Zjd ;UH63):%hdc.`59!Lú/4ї,~t(V]~-4w=3҂4(Ó;(fI}s p/q%Ƕha<$ܼ۝yq rJ(Tܲ Xʒ3B ±0WtϗcM]eq\H} .ZS`}[j8O~=#nF$IH֧5YRGKJ'tn8)'%ӫE燡FkR-OUszqsZ4jlY34儅X\JşA'җB?F +\b f.flX|Y)x'[16O3yz% yKSq\bk4"p.eIc.`y>7~֌g=X6G 729_` .=g\"D+o=3< ]k|w7 7i.25ڗ5{"u֨p8`ٕUzȝI.2s|%\<1Q$c*"Cát:SNm-#M0B!*+O#`| z)K4-h4'4FN~`@`4BC}8zqd} RH&u3 Hg& ;VY+0j$K.`b,8*[Y`pNspO:]A b~Q;$?ÑulOh)*wȚLH/祃Ce˜Ό̽A BK`[Mf0ďeY0&А(cv;`N`7E0Ks7 頸F-!Ca䭿4N9f=wM" F!sv((B CKVҊgpV̻gO`T/mnf` r\7yW[T9 ,FOâ!~ˁ qCpN@kB`[Q -C۳U)V18 LC"uQ?lkJy>!Hg2CzQ*!t`ϙ ) d_vjX=EU5B@osIOy5v(X:d<r,<tt2BK s|kx~)ךBTD\+~CŰ/UX=gM MeaϵMB+)Sl݅Jc~O"̭2џ[{s)4J'WɵZrcr=+c>xcQSlr@{Oú5Ňaby^w1,&t3kVW&ϫiwŚIWiByq+vbKUl[ݞ[]EcWtc+U_  V>zHZ8b|Ns2dk) ^7uY{9o! `@ Ewljj|狼X.{@^~(!J-\s4X60>Ťr ͱ&rw.J1y`B\@Ksń8Xe,SxޤR4 T0f.G}*Pͥ_m^nXR=m\lGtKwք䊙~^Cped od]D-ýY)f-K+4K-C" 3!^0egh endstream endobj 2406 0 obj << /Length 2835 /Filter /FlateDecode >> stream xڭZKo6ϯ 8|Rnd'l !كܒmRCRg["%-=\b'w;O>|f'8+x!v;+wkv%"7;$׉Rř5]͠nodMlmմ6I"\0Lphi˝e0k?ވ|v]ƎFnR쥏Csח}S4&Qǰx=VU3`E##2~'6I0R$Bb:ȓSǁ>~K;sCi;tŮ !|v?pOu?*L򄁤p̓ݹ9x))f)ʘfbۗ܀KOWd4E1hP 2+7zil:P2݌5R@t}c'w "9txM_ȴTm`jR ?)\ٴuE]M;U ˤ@ fcBԔ !-70o_?pmkBPXBtnCJ:e3I܅a뫺p"i$XGk` TvO0dȹ#^tߵ4I<}M=_;>﹧߲ߥCd`*zOF{rt:RJGDPtZj(/k{#=!c^9-?KzJɌ0kkA{k)&QlqHŀw@h;o%t|}w<5GP8Hu[X{vu\sg̺Dm{m l?K5X\\(˹%%/Â4CLfh0iaày7Bb.NqsB(3)' ׎<2|X6kgPȵ7#J^(ڤK ~ip&¨bv>ѝ z]`T/IwOxӯ==(Sϣg؇}'D1 0\҅-xȜO[@i |kAS?[ dGr>0Xx6޿qi08]nq0`z.Z lNNRM-wͱvIʔA0y釔kJ<^3( V,TS,pKf>'D7`h; ˧ Zdgk]4HuuA15>rs}b/Jr5,N(IiףBb߿4"s 0|)0B![A//mX7<_C;қf;sr,~0V;jzI!~x X&ærvξX+8oiY*U؅>+0. Σp!&!UC(uy(! Ex)HpalG-1r=K\JW(9r*^ˉrsL TKeؤ;\=|;br?`~ ˜|וxT3Ya35IrdzF'Go^/]ҁR. y t#-8\cуC%̇|Zfym=+킷bN:H<-2GK~|L;{J|ƥS* ݨH}[i~b#C!R.-@Կ =<~ENi\Eͪx?t}ۋOCTj3H+kE3ΰFUo'[|6{-o<`*@8/UO1!O;> stream xڭYMPDL,AhT*ʎˇ8 őX懊=n4@jfֵAu7쎻dӇ?|OX|wSN%%vNla !"R:rYTnȤ04mSB{\Ir(n+ݬ'.a~,dA_aL[mm**`2?HjzGsq4b{zDDž f~'?VJXOw`l:2p7͟2X?`ߕ9pQfxb@F XǫZR|bqjpTbзwQ0Յ ' %ki-lóO@H_WRP_J*4x aOdEL:&*&K,uws2]g9BO Ϸ3PG @uz$+KT9_oÅo&o P/lbs1bF)(zi豲, - x"-2&U6 >뀩@h5c_ W_ rACa{2]hUԘS"OIԫsz3oZB2:~wVb3ɳ|4jw;y]>iy:%! .~J;+3&Wң^g6NC0痺`2i7GJЉ5O`Y*'k\8O31uB {X|И;AiÊx|3Dm5%ZYn+L3+h+q~7Y?$o. 9cUx=TJ=\Z wRNH߸iD/4^]cU]DbǤE\ou"AH-$9A;\Mcaf/q" [!z/"*7&WR6zf "2 ě).k49BLQ,)1)w)al}*c{„q+BD*L^rۊ4 "5HY \DV.2P:ٷ=}D?pq0_D|z TP-v@ܜj=.N=ظp~=U/1U =pdF77'`њ܄vNl6C=l }* E˦D}+*3t "jZZ:0T7Ґoɿ7?W.aỺvO]RH/tom@>ǎo]cA`ߑ&80g5"z ^tTrx1H> stream xڵYKo8W4r D(Qܲ$"Y/0Y,hnkGOZmub bWώv]{x+owyˣE"]׻?^ėE䶼~듘q iI{z]iuz8/X*]u3ʛV]I"&s.y` cv}{DSk3*c~Of(r2W@5@5i˸!wjhԝOܻ#͝41'|I%-9+xW=>>)8"9ǀiHx@G}&6&Ѐ~t|[dVO&16Wc!/inh 1E !Pu$({¢ &VzQ Os[r&[ Џ j7[7Y!az㎤`y)NrAZ2̲$`i IN4KjUײ}$q| :]ys‚WDXuSR~ԗ >κ/zK0Ɏ@SuUeBs]칸.+=Fia 87X7.dd:GσOV/5vڍFiP؄E Ed2Epw浳 cm?_Km))y5 { |E۩>F+8#V/C ю4!b=*- $[ $gxLvT:dL8B0^;tFO%i<[tB:va QD85uuV1d˓fyˆMRu׍OrU4 8,Q蜣TZ2q-2_ЂA?(s8n(yYIAr`X8,G,8`ֲhZwy'hb,?ca vqLmv#) liS {٩5cNZ{[ș4 M~|$spdL,)fo  /MO\PfL^0ĂMD͇=-v3&5_M_[;0bQ{IRuky=G>gQ'eB@ y6m'gEu/>-q |=L[81pԢP'i0뻟Cüm%8DC[TA?n]Vr򌉥؂\݃X}Mq? SM,+(a<嫸z:"54EqTfGfUVGQEWT;K ɱAKu}j(5A'lFo 1/ǐ ba +@ڀ.6@wO>/ YCs&YeWC@aÃ7mVj-c)gjUx4C(?{W"DBLxuUYv'=sVV)i~.ʖ,rj*%Vd~MS>$C-OU}CMO*5*-ўXi.U#SX6B :X 7zVme*X,ӂT](K?BpMJmwe9Vp<@] nb] roM#}[MHE1j60 ;{@ P؜0'k[<(WcͲ<БP*r`ԛ߮/M> endstream endobj 2423 0 obj << /Length 2749 /Filter /FlateDecode >> stream xYKsﯘ#Uޡ |dSNrpTc>,ɿ> RU9H v_BSwiKt?~>u(}E^4> 3+˵P A{\ݽt$J("v{j?J> 4ΙwnG`}rRg /x;u L M/ I ܎> Ç\m%}e㪱Gz^)L/+!h@%~X*Hfiɵ0P 4c iFX#ʻ']!}{صmRެw E\CCZF1"KgyvSg.ЙeIO|q 8z&9fMg܇ΰ"ymcg>+>j^2vQV7QNTMgAM 6Id]|B/aG3f~e!,# !0 Waޟ'3k'VE/M{ jV E=s8it[AHEtLx ޡ}%$lb\C 2{OڅPK3!jVCQ<#RT֧6RKesIt&$aX3$ua#gF@  ׄAǎ@JM5 gZ{ZFjkVcߴpx*"dq2?GLh( uy9fr6aꤧ(_+qv%vs YLE̱B>֑mvQIGW7I9Dya1ဨb8Gv[څ{Wln6]5 gTZ' -*d[@$ LeKgK}ﴏ@.))apm/)0KV%nUS]MhzrlkF9 `Bolآ]&]qDzKGp r,xN{Kѓr?!P\hrx@nzL\XOQE_)'D/ m|jŔ+tnQmdUlټ7TXm|?a.Vϼbc`FsE n\_1 #s$لwu V0ߨ0p>;Q>/-h;5쯋S~n@q[9OV&ZL`ʯ4hݖ ۔r'ɍ}OڿVDhs w3QOo endstream endobj 2428 0 obj << /Length 2605 /Filter /FlateDecode >> stream xڕYKs ϯ裺Ҋ"2ɦ&J2Na[Ͷ:z(Qm>o xwO*ҝ2.˓]Qq[ _?żeQ]((OKZ4vPI`M5:}R/`ZGч 4pyAE`8#z|5A*~U&>IZF*W@%$i0a?c}* $NV^-_%܅BFbXwm4*|5*L,6uףOoH\#ek̩seP0xtنB(Iť$¶ uS!<˰Ŕl# AL{4mU zK_afJ{$<'|b%uw h`>F+zjp\SWhQw2Awy{[q,f5_@w!X`x!pEIdbge Y0"u/'떿@z3LH=r.ѿ 81Y DxzV;3oiq@R iYx•3;_@O8= =XcRQ# ءuhξVDyG⡁uC#@Y$Q 11(O6!/ہginXa>J(S q%FEFdV^^n"˾C=,w,R@GR-yrV0v TamGrTTl$(gߋq$;  ):u;+n(c/SGИ]ԓ4OWT`Zy]Z T7GR *(l["-FNS~P{Rh!gߓ AČ:h$_ aϲ&$heW@䀎c4[͝+M"̊fYM{0!l t>Ӥ2۾(vW'R lcH_cNyw@نD:FhVf%.8 @T^ b5RwVJR,:S ”Jb]t4֫C@j8t;~u5~xnȊTU3a~0:3 bԱF騛0oH-kQ,9b(.+|edߦ?iT/NM!Gd@WwcxK:x3~~^-#I,T|z:pbd$ӫr |P.&ETRR9 =:  #J҅pY!9_ fM EWo<]毘)+L5>?B{ʼLr0 )6#1@NgYT,8ߒ0)˙ɐL  rJ"YID^l%ڹ481g4/,8r=o^vjM=Ww_s RAH9c|$6XT՝gƁy}u0D!=n%qy2vk7q ?Hĕ즾2~Fga7_=zopv|,W.Pa/%@EXG@hN|itNj] n=_ܡ[JPa$,n+DfIkP18S0gob0Z~]i/#gubxE 50vtे+Ao!`lB8UsAHu$:)pZU&i,ց TY0L+WH^VU@A։W)-ᵖȳ)3ഭ8`u䶱2B m[ oC:yS8՘_)=cv7. ,Z> stream xڕr>_* C$A֞fLjSVTDB6g$ǎ't>dF.w? 1+;%v*YjKt7{)eRyQȣGN=wIuܯq7{(T'_$,byPbGnL2f*-N3Hb)ֈSVx:]p&ysw2g [e(x4 u:8ͅGo;d|&LӘ^/3fԬ2p,܏gM؅<2o> ET+.qtFZoo4{W>OR4,)HdtCShn~T FʘaZ1 P;n7x4LMrne&L~n&*z̓;HNdD5AUIȠ4njVDhq`cbqsr-\FiSi0@RȀazea?xᑥkbQmɅS ^ cinX|Dd[TݢDB>L>WhA..dPN(ѽC|@R74 ,4b4zgցpIϸ:TKۢS{'=DgeK4OS ,$~ 2dY !$^CK%%I9k@_Hԑk/e;2;ueL}36 ̙grXh#2m,445-,+EskV#,hz%C4V7R;HV3i<خb5ӢօL7p]dD.7U:q6#u0|9SN^7:g1MwZ_u"u@y\t(b:]~yc]X=Lo"Laa$_waBO-"dh;3 ]_%lzHX%Y0"=y,9ivѢ6v6І&cUZb7 >[H1rcŖL#ݹTCc,DPm.R7CFx]`<*((l6vy[wK杰gM[JkpM͎=i!Z$“WT\~2X1Y$[e|e+,LtS+@;oH]aKexX5Y^MK$_\L=x{W0Hv$9C'|Z윯QկPz+ɩ`#'toy* e.Ae8}bG $[‘35,|uR3{3P jH(j]_u~E߀mb'N`Pw/V2<\Ln|Q> @Uֈ r Qqw ћ#ty;|{vJe3 !Wk\`e WYI^T7koκ^J.߿ ^!2ʯPoa) p7HGseJ6KS|J̒u,NS\`]ie*y5c]Uh3śB_)|P5EO5 գ(LkE[? u/!xW_\ߪ1)Th].hd/UȘJ^}]ӄweDzR arLXt*6= >{>֧`ՕaCB|M)|9JS~(j#]tԡ8 Jȹ_$H]n~o{UA^= kW<{ @ވZ`] endstream endobj 2443 0 obj << /Length 2363 /Filter /FlateDecode >> stream xڥX[~_J uk_ AE ڢmueKI;s,ydyC<;7&OQ  ht& T|"P|O OK_lnp=8l4 gG /Gk>44Beͯo2H`z7I@7q&"񂭟eiyih'XqFyGɺ>vgsk^Ng3:zܼ忄Q<h+ױX[n^27;O؏pe >T;xW;#8pWQr1Em'mj,- 4ppePO!N ȹw;HAcSqλN0.r%Y ,ZTr gd#^:84e8`ok@ 'jMiSLC8{C,@9Ub>7ܜ㼪e sCJ*p<xaZ>+k YaQzOdoI9JHc p'" ?M&b8*('@pF%.#&d ,zPm9Y98y] c:=04z}0XXY\2 \o.Jid.PAwbxI$*vkbXiw~'AvK(ѢrHDNۈua]94Dl'+,0b<2_O$}e6`㢃01%j T;@{}C 'pR>Vo΁KT4ý} 1[z{b%cc@XAm5-Cey: l;Y̏RT$ [ *vL%kwጂr f XFcl[ L#)& wJX0Bj;_*S?}g22(o; xrTDC謐pEImם@i>o;gANJQ6sٔn1[9Q )Hi,8L^RK8@)pzi~o7'I\Cc A1)^Z1<J[u~%5n -'7YAɜA\WLt"?'!-Ps%bmz)Ky%Vk'z"Jnӓ􁮈mҞLT/ܼ{>T;!?L9S+8`kzŽ% yBrcZ|JD1GNP1٭/BjfJW{L>db%( Dq"KFs^D e*H?Mt9y*~okQO5 >`Wdl3M3%oSzGWȓ4|d{'>yI%L:W"S V567^tӋR* 2`ϋs~X헅X6 WFNw);B$റm m ]:芒wu{LHɿHYʯxFEt3Ib {0r3_2x.ܣW$Q&Q.$RA'IrUydɼU1 o»W~ؕmO+ endstream endobj 2449 0 obj << /Length 2368 /Filter /FlateDecode >> stream xڭY[~_XHطޙMU** E~Ujdu_wH)-֛,OE[:8 v\E_ &aހĮ8;FSLRI$RQhHg(.tISPdIγ6C{~8M$EZ`pP`Klf%%+fP5l #XamRϮ۸Vngt,s<Q(9V'A<¸ҒHd:vm* ýNk%tm8jy{ґ8I;>50Xpvuu8`_tכDvO,[1j?aH((fB)Z y&j_&5l \.3 7z b$"ƆJdzl[vI˲+jb1Qp d KgIslހmWVU^1{s ū2,4e6N P˷gRXB-L܈!c鷄P(ˡe<^Vqq`7W#YY>1YnOU-ɠC+ncQrO' Xg RV$(rX)S.ݚn}%: ()`( tU"4o'Ug#;sF7l (v2w~) ;ڣ/TL >gnZt J-"_Hts﷼RAO i07Tp9Xb0}l0Wlkt|B,XR)xLlqB߶'c_*¾'ZaK4&4Vu\ks44^f jGov-g~5_n`>‚oǢXhIQKE~j?= Yvrkw,%\+H3z9s Ma0:F.KL iMEYaBa>_gvČ>+n`C3,"¨DuG( K \ =sq'lDWPN8Zө.7^D?.byL8\W[[g÷֑U}|7פGcm#ya:uQ +Tmk@{tDz|?'kUB E (t.00j7ԅ塊\DZ&vrntI k*Jkbrl,r b&=sYU9uf?Լy d -;r:ؕO"ez:_5."`n(EEMÎvyQk)f`g,N_7t9sP{wL93M[`i\ȖJ3=!@wIA,(N'$Xb$BGyl0+2Q u*d ܾuל9pS,hZ ‰ˈSyBbȍ %pb1M M]u҉"|A.?In>p/zVlrzpR/N4wq2.lgKz$iU$QLHc&ٖ΂nJCk"p0ducf'IsRV#(;^nS.'`]+rQK>} Ht=z5mg'j$ ~;^Ïh\+BCoƒnT=W]~8c k(hﴸvW}LigķsG+@Y'WΆqZhHcUF&FHxL\g OpN+{%صyƱ mu8҃h0$ECg{ d4tzyHBFwG4>r/M[rvYKC{~gQJ-4E({:?._,E|{i83Lwd+Ӡ3G!9[$Q*< %/{ =dвƸA-ŕ\ K8CW_Aeƃ~X*|;KHl[K,J%u/;9>=8Yx # D"=Y^ dnsvG endstream endobj 2453 0 obj << /Length 1442 /Filter /FlateDecode >> stream xXMo6WVJ"ؤhEnEʔ+QC*#r@{ሜyof84]=nn#()h,^e4'C#|Ï7}r{c8#q„ͷ{FNJdqKX QgybQB8s)Xu$I Th? DТ:ѪJ=@<q¯l,) 6vL1 cNIfHFXP%DnteJX·-B))bP _Bc!/DJsf\5Z[9@%\\ŧ(JWFs}veс€E9_avڤe[`֞D|m|͂I%``y+Q<u`+;jsi;<7D@ׁ%w knȾ^mUwKLϻp%P} ;2!e&dMY&" Z.R3_QXT@VptOs)Sk ƛz/*-ܕPQg,wD1wYO V;LxRM`7!H>F^6.yWN/ds==WѫJϺB;>PN=6H)Qk="`j7Qz}?jVAB.ʲWPU '~cm|^jۻ195 g  448R1Fej?n0~ endstream endobj 2458 0 obj << /Length 1477 /Filter /FlateDecode >> stream xXMo6W2PkA}֤EzEAKL,, l}gȡ,N(-zMS73ofWꇛQ p}Xe* r?`j[~WB7q{dYrU2 Wuך}$QCSpdn%)@Ѧ¼]7|Ȅx?K z]::b1vpgޗ,*BMNpܠd>k[t]d"݄KFIq%P{ ]U+֏. 䡇j^y-ĒVH>]C3jB<.ס8л*l%ʆKQOTM1`Zh4O]!e[S }z!*8dxv~\C~GebcL DN0Q+ZADz[c[[t^(tGU 5v2p_J3$/b:g4vbG&XRqt>xl'l:;$20 "r=&-?oF6t,Ip>!%}!N.:I< +Ytᅉp/Ѓu#ۀ5Jn;@\k:y}Ɩ;f4qyYP= r.(Dl;G{}C>X4, C&?a #>iC?vQ#iՋSU3j\ o&KadZYC?Hi϶ ];& 9Fo]5a_B,hZ8Wk7wLwH=$Pm2M:~~ˆ endstream endobj 2463 0 obj << /Length 1279 /Filter /FlateDecode >> stream xڭXK6 Q(tfv;+큖h[=<o}Aڭckg|٥H|IG&7w.~`"`ͣu @Fe!dyg]D`z?4I@J ϭ5LA8 ͂$ $;b8oaϴ\w ˰Xw+YX^HՕ~y$ G" }vz]] cPZ\+,ĕ(e/2ovB7v-1yUn8]뵏Lp1f6-"v< v]60%T8=X/{|zW辝 &$ Lyn`J3K.CIp?~)32KO7A:/70%y\zS 9˭/n(k-Y)5&Rgr7#U K* ?oxfu [X<`ΑgzǠAYiX> stream xڥYݏ۸_aIEH}}^z)&uעlܿf8CYiо 7jfq!|5@o>l$w]o3JXt 5L1cE^{.YEq(K>O$ Xhd eFJR|.Qק5qdIH!zdq<9R0t[55cY((p/A_Ј[*tԽVe~)` J'&4jEm|Z17-C/QVi(ڧr#]tK귳bBnTcJh0lEsjPy6K/f=)dWjV2gb]Sr=$W6K|aKbB^W0E:fPE/cO˩ZΣU>JQt=P9<2\"Rd! 2XV#.]˦^amZLAGX!Ų(?&>зeI.p3"/"I`k0xN8XSE% apQ x>X"Sq9Dk $tۇzŽ~ Kjwٜбk*=@f2čH"J8+uDuw'f8O0%)5@u'ߞfQ`-(9(?>U.4K祕l]JE7Xj\Hu6TV1 6Ӱ8&T^l^z:6?ddZUUEvR`ګ.K Cן/i -뎆FNӄ&Xc^Gjc&muuxG ͍']FEe%gKedp@2KfK?;޽_tm _Msw VS X@!>}2M\ 3mE8lpX/2I)B^zZM),V}ljwdP0aL-jգ wR2_8:O7pňCCdzz |v90*.p FtRF ăYf .(a1tnl ,iHrG:\j?%<#/ CBS&} ALG,մ.ќh7怑Ow B8Kw ϮldxuY sYWu@&5PYr׀L;rTE^M?篙7qP{}`E9DTk"N  Z>Yb8$:RK 0k&Yhθ$SO[@bC=pW_˯4ˎ,[L;КƷ %r¨WL1tOD!sc`4F}AG}Ow+ݞa9,D8z:\z4ƁH:uFҜgzE*$Pܛ2uy P%{n!!rsLp#kZ *^oQyoJq Kg6u}u3?\!{̋ 2B,tq%aDQ~|4q9O!2x WTwzƸN^ItMќ{]0*RhaL,mp !&18>.248a>h/mw9egjR?ܿ&ب endstream endobj 2475 0 obj << /Length 3227 /Filter /FlateDecode >> stream xڭZK͚*L>%8T6U9$9pDj1E*$ɯO7]/"@M%]??}iw2Yq%^$?2S~_Gg3z^Jih/Z'JX齮8UAj!Jeq)ʎf^Kl}~k% W5hIÔN0mKeEj~ex'iyCuRWn ai%g mk(0ujp݆Aݣ^$=J-ɢ{ OEk=R >ڻ0/h OڏjS ؜I lLɸ*&RpN)'??;}aОUfw9\ Qg4Os~1\=QƩH>֪Du*TPV GBd>Q^Awwq2:6=FhOq :U&(]ar{u9 eSK֡ūJӣ>uvh;;U^CaǶ4.pcƮkhtx,>#\R\$JHoIOľ Yv=xq.1I܄a\8WZtTiSZ!-t!lU0RKZMSUЗyw@A^Is:UspGe|hdC'SZ&Xef[&e`i7,D 1;hn'o쮢 8A)y$^|"~A4J214ip0AMKvJK(s[j1֫vGD&6 3 07J0N~@4 uzхL+FmוL"XOWhRp F sN=b5t\tlp"8k^皧c! N19+:(UW{[epGDIJy;> gP^Q.x Aɇa3 8:MjgDP~ޱh/ۅvc!,jRa[[U1IP/R]gű 4ro|]02|y!%K,"4GYDm(Tp|=(o2ɾ`PoXd_2 a,N^xXH >`ڼy9CWä@4knC~ Fb-]Gmtxm0">#3Y_AUj 2.WvcG+ճ4hN+𧕢*dgnY%cGʺ*ZʼWfd3;#+" aˁuճo:{_Yb rbQmƒj5tBJeNal[RFU+HIfI#45Љ~&mg^ zZPԘ `KeBR s:2M4D9KVp+]~.j{C7LCsdХ xA< p0 <\ T\EO `؁a1bEk˧S`>ih҃PB@k(ˀ݊I7B=2VaA[II)3bC [$}Z%ʨ;Z`8&q uN#7{HC7 bVatʇU2xm3,ax4 ZG1*T 7 r$jvKH># Y\Src¬(1uǮ=Q+3$mQ )\(mGJC¢Yփ@1+ffp];úMfRg̳VA "0A_O)ݴ<}ꆏYirI}Ӓ+b>BamLiE0L즣[K TkVJHbQDeuXh|tCڻĪ+ʪQS(D Y@ 8Lp5|I [SbAg$]"RcS8_5d`y٧*6F A9w.i9G"2zsLɕݹk_D7#4c1cL!1KI[321AA&n{``=OzX| 6{o1 ^b^+ٲI6/ިXudYqi!My y8XL]w9A+@g.PVxw'@l6nOQ=uP6"| |:UҰ *1⛫.tMɇI55ꋸd3nv~4YX 8}]å eb O"j2k}{*A7C zyIjYwGK- `q[l~ "Wn[ztGgSR^4zV\1hDۘ4TE䰡m4Dp= Rx-OЈ-xcs!i| NF[##T/ݭR%d5TAyv- CQP}Q=_\a%]*BRRI]<赵\oi+ʴ/ 3fiHU`R&sӕ}OJ w8_l`|S1T;ʖF84{!Py96p_Se"qTQCYYLUm͑|;ψX@ {x<}wSٌ(⥍ێhu/#}T \t_FUke[ݟnItL1Np,>W&~,ΡKX<51Kݭu1e僔`qӷ[hϘQ9kK.Y+E'&]__OuوI ?S `1C ժL1ls)5p2nB؅ox9U/)vgࡏ9G8nmlVgGF:Po[Ƴ8)?/_0;N?xBM} vD1{ qyE3ȐSԚ!0w2dCt endstream endobj 2479 0 obj << /Length 3135 /Filter /FlateDecode >> stream xڽZKܶWlk&$H9vXR\(pvp)պhV9DF?n0yo~}w\oq&bn|(NCnQ&n7fѻbު,:`TP 'q{XoU/߽|/HHdq֛Qw1ꛍMr7o%E_wѡv3<7뇢qO<ʳt(V Gg:ѩʞcqTfEn?sh͇1&y,$6ʮm,6T۰s..A4Dmdt"b;h'AnK9TT& vw b96Sw+#XCF}O:ڽz N4|<|ZLzF6؎5#-M4a)wgney,VHc+s%tbQ Gf&K=ʓP9& ;it&(iDeK,%ѩA-vhb@v;Mf?8V;lyb;ܕ}:n®K]v%L7yI+ɀSO%z ECA)ъ(uf5I.ebV*/f`PTh~M" n)5E(B.y>DL:jvUH9ejU6D>DkSp!(_;nFGv$sgu\yQnRM(iM~`Q1˞,g]c[nJ+W YR(GًrRd_ŷ; YvLFJd0RŮg8 [H܁Xre]ok9"e_ KVm5SpZKǶ;o#Rq \б+[ -D̤%V) lB6(fI+6': GG <qX@e#N]q:/YH`w\$`9}:gݎԐLV )i] 8j %Wny^>>h xf[wdRsF|/ Qkv.;\є]ΧگC_.ŌB"q+]|F4ME60bլMͮ =A‘~LiuNu%UF3$ْ9T{rcO5̩ xDߧD!w|X>פ%ۨC02j8`rU&' :> stream xڵَF}BXk 8q/ ԒSҤP-aWDIlƦ( c^lwR c h)+shӎ ntC:x|Bwpi/>bJ=T[4~Luu,EPAx/&=[v!%z'~IR ) ('}{Dp+qXm0KJ?A 景$&gX4!2xj`rE 6J3T\Aȧ$CI9rb8Ӂ7;Nk|64pHb!\~"#Ah,Cˆ_Na',R#P2\t= kZT6ԓ14EEE2AsT,q`@T r%(K@DP4O^̭Xx!y198.9 + wx\YڿO$oBy.هP?X`WpāGɄz'` h5FY-Ph,[LS!}laK;7t 4w `YG#7'pU^Rjk!x&f3[žbdߗvj旑k~5Rn~5k~.Z QG>E=c`?x˖ +Aof\a(\L[nBNvKq7HOc+X 3}Z<㪻TGJog endstream endobj 2489 0 obj << /Length 1982 /Filter /FlateDecode >> stream xڵXKϯhj`& ]d  ;΀fOQKQ*VQ#5q"XZn6rէ۫obQRTRæ7,L~-|]$Q)(OzqFuw:FkgnZjOߨl+͔ȓLT!וdx,F]%RYEJ )gmFomYL]n D9l׌],EVKw)$51%U*Ҏ!y͙t)4'\sm7LEQUq$Q7vdaMl8qB9[G3f|4g듙GY+I[%)DUUqnFC x=W?yhdȶE͞ 3 X$q߈ۣqW% 20"=(gэi^hvanFgd sSװ!-{칃EUȩjR NUc*Up,Wo~*m1 yk`b[b2:O GHB:1e20bgunlmkyd'Ks zo5] :u`ntZR.;`+M1kؑB.ItMUH,$LC,ٖg}:7xpf -3$ S!MID"܀~}v]\O=_֤,.B:9.@4K..ހ]8A&1 8pģƴÚH˘ ӶٛTȄI請sHGӜcC nŐ70;D~xd˺%?{y]Evep$?>dwrZO4;6_F؄C]ߝik=>=*eyn~nds": %;=GOXr6+i ˨WRSzx􎕝a_kqK{c|%|G laBt{* f> >\\x >ˊoѰ4{)aPkgKOG;.^}ɘ8p* }pX,Y2X§B,u{_ZRxwY<ՙDe8Sv0aϢ{Gi2cB@]aw 7jqWau"5#3uL(t(X@ 6\`jD3Q j )*Z`Y>UVBի2fO>?-hh!g?ߌ/kr?~U.H6'.J,s| UŸpgp ,%z1^/䬛 ] #VQКy{7:Xj>G_nrVplZ&E\Ϻ,wSm28!O@ >~N4SyBQFņ46%H$H0<)yvJ["Yr,f 'I!* Ř 8NJ/LxcUvW_c{2"@w^Sن|pAW )Gڊ dkZ*OO<7؛×wg>Eݙ,IH}CFT.RPi(W rJF%FF? ϗ6@1k); .dym)d}RR-tvO$odMpf@+e &\P Y 2:7*{-b߽r`4[EY+v{_\i endstream endobj 2494 0 obj << /Length 2289 /Filter /FlateDecode >> stream xڭYێ}W-`n6ɾH 7P-J"VSŪizf>K*V:D*Z޽z%0rۯxFY)ۭ"O终iZ[z"<z寑70ǁihigA+;KuiGڞ+l$: ~Yg qJq\ʦ;<{Gn4EO~@KP+MYo¶ Φ-{tffDtN4n{4ulxz MC)mԥ?;Ͼ+ցhjnw*jgWFSlɅ@ˈѡ⹺wG.uj{jK:Vin uAJ+plܵp_q#&wHH[Ʋ~@)6" s,FA,s9p^z-M`Xð? a~Ȣ /RO|Ŏ6i+1R`Dcai;Z>ڴvAlsCv κ]g|9?U?>C-ڮ( ^"Wi!ANd+,!FqJfw0r)EA[w֟ō*/ޜa2r,0>~ho='`~o^N@wAc4tbm9~q .N :bN~YCе0M:F2Aɐ fi;,$5x &i4i<-JDp~!Kv @®KV=R9"  $#WWL ْ]¿\,SPʮTk{E醸DQ#W~ \J ҃Dӵ˸E *TFr;=y`r%m> stream xڥVK6 ϯ0zrW-?E/)B9k3@|IQ$=I"i#2>}޽񈳴a ʢ)+D?^6Iqnҵ{q;OzN`&V|wUy P|(Thu(Y hlt e۹m,XmwMM"#Iy22Vm4#AEI2eՒwɳKr-&ɯk~x (zk 9H-7<<6\,n Vyjd&9A,q[/&xXhKtp:W<^}0@Mȕё("(ykqǗM^Ѝz*p>B4sVe[ SQwÊh3qHzw;:I^: KKW>4H˴NZm`dh %ы E1}m2cWnVd1g=ΖiɻOpY~.uj۬74Qc zK嬦Ae%n!~=9:~O%}!]i/_"SpbXyZ]6umH/V:ms,dZ"ٍ9i80,sU qbppT[IA *Ag{vJ,i^$'b\/-OBd҇~oyOi 얺D~{JXD&[Gm}3g`mKV*Pu0P4)|i?Va]]#@``Y^VQjn_E.ҿhJGE^8# yD;}aBr(/Ze}" OaMp aF9"\Jf'9@q3iv(e5}ے˒Nۻ^2{ endstream endobj 2380 0 obj << /Type /ObjStm /N 100 /First 974 /Length 1808 /Filter /FlateDecode >> stream xZKo7W^  -AC[#ڠPr䵴 rHC~̓\E9W'dJ7>5Q/8VklcJvR5ӵpriˤ+Ď%6QMSUWSkdGAmfAX#@"̀QuRXKŜMJTk#MZ7qK zmFk*  s=H,lQ7sRm[|@~xFafe8Z2&ǘ ""h1,6DC Zbr9a{WD%-HiqRl" &a jlHFKt][UI%ȥ`:`aM*lr c B[k2)Dml :ELmOР6qD@蔛3a4@fjAVRĦ Ediv?d#c9 f$`Xr c~hCL *D9Jl".bZ\D+&P-9ɢ{ ~aǏoOM|=;9q)MoCN5ৌլ{&IEd.m=LڽZ]^޸3׽|q777~Z_E7[/Wzo-8΂35+F'V.>}*VA+Vޏ.=ְV[4=!!/|36":ZصE>< adye˫SR'{Y^>z7$ leˣ^^0ٺSw7ݳU<~~鞟Qz.'+9jd&boz`{0|VoVp啧e+r_ҧ\>-G ;+A(d$ZlX #=CYLc 5ʨ|u!^pQ>C)~*m*RzA. %> ;xu\c%\hT <'1ⰂĐ;b@L0@+Δ88v$hOvANGӶ&)1~"DxDaC8+)^q L)x;ƈ|Wh {q{ܾbaȁÐogbA=AhJy/;aȈY#O ߥ5hT$ruI딾Y!V_ 悒zxH=f?cZ݋D_슫6dNd4F*aޘU|#dלD>jU3 dr&2H52nU4"C%[;60va۝G1> `與#=t{:̵ё:JQc\o M#MG\4o+N)B*6t}I!/^yp(Ub#4MYDݔ)=yts{TWTW1dߨcNuz'p' zwwF|PF^)g-Ñ|S8$MneОSRBGѷSܶvR)׬Gf5ShT0^8eeɾpƬS3fC!ι_7on{S endstream endobj 2504 0 obj << /Length 66 /Filter /FlateDecode >> stream x3PHW0Ppr w34U04г44TIS07R07301UIQ0Ќ 2jA]Cr endstream endobj 2511 0 obj << /Length 2035 /Filter /FlateDecode >> stream xڵXK6W41"EJ9$&^X̞4-ձoԫiŞDb=Rvx>dd~ 2VBχRL0U>奾Nfqά σ_@a]phJh57:`p⿋fy (RWL^DW`7$ zMM~:'3gWe;t!Ĝ pO ǥ+ci7օJM-(hi9aDDƎ.4 mv\1Q|5354tCJ7ArY *&u%+imk9{*1 c;yM!Cu޽b8ߘC&8PٳB!˂9L~ DI51g\}{gO"%i6ihem]XU? ɴA5:cT>Bw22.swbjU ov@B"%YHǘ"Uh6fŢ,+e6S*14oѠR"[;A~NvrwķFIf=ӤJ7rRMD]1=<׃&TˤS'DZҋCah]TtB?|+|y!ֳn/P CHĮX zA־XeQ@BTLfb{d\,|yY(7ع+5|OveX6Xr@GJh B]46}wgMSKN/I}}1BYDޛ6g5N-9!iǛ2$jIt;z@Jizjߴ$zF@dE}p{,J@7%gxlt0 vLk+b sWl 0[l43dwfn8R_-判^[[휣:0a ~/aA 탚m6/ gݷ4"~|_zúP0Me4Ryƪr"EXŊ|nv~\˔d^. rK2u'\fH|z̠J3].rjw}dh24>.z0GVNX;9U wW[-ZsЅ)D| Xp)s?0Je1> stream xڽYIϯˇFh ʞId\lj1Ht~}ƵLrb{ޢp w?ÛPeaw]bvI0r?&%;(ކ*qOzGus喰"XMsC[^CU^_ rJ8xӝInC6tp.}h.>򄪬Ќ &kU6t]_\x9l _˱z9'^Ic^O,\*B6 &6ۂm߮筌u650V`~ѵ%p~ A,m~lۦ^bO„k1=/Sw{oN{yB;*_̇Lcb!h 8ЩG̽y`nzU"=\Gc&86rG\8Gsr$:AKNZ/y텼vʤ+!QhGD.xő!/rssGr7g6 *"VɐUl2FY[~!xi/|;"IoUE˃<+g#1!M{dB%m A>38@ JTSX'adrqD~"dٵ L *xRq,~a]hQqBC^@wẽrqeM-k_C}aȂeV.#oWܓ+Z0Z!-ЪtJAb;[VAfv̍fJGzz)N>8wًe frl<\cܜYYֹߣԩ?}Y/R 4٥V($h&bWc};l4d^;1 +p D'b;.9~>#&1 i*np!인EG;M|1khPoBeC3<ͅ"ҩr&6oG:><7C} .~}?s:;,@(IQmy10hZV'va /wk57CX gIɝ)/j+{SuDӫ Ϝ^з/K*Ҳ;Lb:PvE5ƅuy GoEc:.ׇ^C7 ''f_ܶLFT_Oq23O\[OP6m ,8<ǵ8 0U i%t1ik(ɽQ \}dB˵ğ=@Lhľz8vMeJ ={OxP/uKBۯFƈR}#>8R:1Ü %T@ SݑU1fئP'3'J7D SqUF(Ӹi9ScneJ&VIjn%I`L&Nbk029/#  GB%r .3e2) \,J))Z;qn="R,dFlYs Nzh.xĉ0᯲J2̴a-Ԛ*I߇%T.S^ :g)T>}h-6; TaxR|ql[Vz n%́<3uRh6$Ve}å,J!ekt5U9q0m {D%fO# fo 52Y5firO2#Sއ'IUH:@;Dh ~8S$܉T|( \hTeY]"0q/T_hmxKr*Ө8%sڴ8h ?0-d[B[3TsA  q$xSCTf6qCPG JN93MTZjsc(}e)J*H&K,Iu-a9 IJ_U0Y b,%_F`qf5-!e's|pi& 6 v|2.<1T֙M6!JfkPi3F#_šy;(Ǹ[t+Bل$ʏ@ X(|?vO9˹D4Aĥĸy,"Hga[SnTq33^π&qڧΗAVE <{nHᙉLPk sUNGbE0\p1\wDZDBñfʥŸG: |W,34r۔94)}}:T3T$|c (W)=_bb%=cr;H@)#P#BC7^d 'rE .vv- +8I'/\һ7cn endstream endobj 2523 0 obj << /Length 2196 /Filter /FlateDecode >> stream xڝYK60Cdd1 &rH-61$biQosiQ,^_Uy~|G(*=vQFi{lvaR$IPCQEEZZ1fRWeQ?2嵅YO?iyÅEd"X!"ԡ>oE(dw0Kp y .辣K5_Q#HrDٟ<5 @&[հ6UϷ#'CoQQNw2P_Hw:p28LʄUHhIgK6zgqO=p Ũb5fU%IYM"D2ADKV Nheh(9b+]y`yiv:a5*I ^IѨZ2\<08Ն~]WY0hݳ6^7B0%"h3H(-ӆLi ,xe]<;aYFXV NٸR .X&u\=  EMzf!)D Q5"~\ r&`NqgE,'aliIǏ#wٺa[9ٚc}LI 6:;u sf )$}aR yN{N-P:9xAb_8 K(; Z=_A?7)Q+$#8YXBJ$h8»l;dX'l s+k屝>o 04xv-DZ헿TF@d] g^O|A#$"_kj%(+0SeG|fDqxK+PA"uG㪏X^gƹ44^o^͝uJ?8urGn QE xi 7F,lpvra%VEr _wY?a $)Sfe%Ͻ@T]f}Xg~T֠'Qɳ8o30е;'-[_[-2r)\vA /xc zS]FaYyZ98BsN ^b( =_˙pͦ+p|ͫhyuj_f* s2!՚?KNAUE]?ъ>wft;V:K*̮Ғф;}QCkbKƭ;6H,bT;uܭ^XGx_6ǻfoz*[?kAI Zd^q`1"Q/Js\/)a~m)7DaBc DpVIt{QA^wM2G: ØR8(fX`W_IVyۦ|qRc!̳Vm.aEn {Pсƹ74 lAl;//v@\'.rr#^2l@}݄R@;Vd'36[HwnZ BJ?R^K%/w](_0wVoOQAQi4kEXG X-ϒ5#5`&ytz ."="=X$7Bu7p(:QoCaӾO3[CyN.à!I5xu"dC(B 0NL3KA2 hDiM`aQflCD9'5^x\ VC&r[4~nWPá3''f{vUGf%@꒛]=,|S6/)eM /IG?yE\E XtHHZ>UHR#,pkgG5RG*nO;xKF[∍R)mh8 Rܽ[ <^%OÊt:AAF3L%2٨n| P r]C D4 <=5AQ'-o^csxNߛ+5n>zaSJ#U-Hf:dLW{2\}$k&pugB) endstream endobj 2527 0 obj << /Length 2169 /Filter /FlateDecode >> stream xڝYK6ϯ-rm播TomTh;T/@vL nw?&*&nvU*8/VO O?yYWaGU{xjhQ*[I9:O0/@ QU〄28 Q7;bt\#Cw?x^Ev W$m5D{a&Is /zNjN꼰JE"8ke;~]gA2 O^lHw7nw: 0 `,ZCbޏP*aǽjzv?΀f4+[bG@-FAp:ͪ ="m;Y 6`?Cq;ގꥦG:?bzcVֲ.<3@nZIXy6DmJ="ݨ ɻİ=ǝObI=% p'VxQ.eP[/{ls(e,w#ϒs~]hzџGk!Li-z4&j/w=ñ K8 LvdIw1^;f3 M9c;>pC`:aUxH,:kx|<ֆk-ʝ00j($/2ElQxRu(0w)iK9}Ɓ,[}`m9 >3MYqUR١j*6W\:A'R"\˪Gܡ HK8P=>.(_@04 ѐCД˘!_=3c7jDAr%j: 'r[%YuƢVr6q&o5揖ap(??T> stream xڽXM6iHHB~$Ӟz[kc\`wF#a8k\$i}K݂/~yX,g)Oq0p˸ҋ}vfRF)[>>elSUluv(a&>, (Du|^CU_IΌNǼi; 6,6rioj u)@;hU&:#bAqCّjNv\ԛ$TϪ=okIu<6Rb&@)OY0˚x'U|(*БNYSh9ʞ;JhSY:4:d_4Zzn.+iHfk$RKG 7r{S%FjN0:HC4ek@LA[؀4bǡ ~7IU8,wx.6sI^1xS7ASr}Ä ;[&`7N)i8x ŴMﱫՐ?Dny8FQ@j1Z/Z` D%eFΉhlh5 Zk?[ׇcQf=]%9e?{i|aIqI&(N8p nx:qh@I0(RL~!+O$1)A@pO5~n9-bn]@JdS :Og/ qAÜoC:'^CW9e?.ۚF-|n5K|),_ܲaU2f"',VaMeV`;uP3GW-=GɼiwC1kn9>t6+X+j>? JE?R-y :uގ uYN l@&S9;^;ThII| _1־pz9bRl[4[^bmrҗbŬIG7w^; `=FLb:pXCHnpׇ{M2:1aʞ.6Q$lϩVXqS/I+`WPW@TPsqqzGp|} SR]zXNiW?YM`ZW* ճIsp]K͸wChlqnLn|Z`k/W3zo~Й_V1٦`/ITO!%#Jg!څ6ΣPJ'{613AQ9 endstream endobj 2536 0 obj << /Length 1679 /Filter /FlateDecode >> stream xڵXK6-2Pzέi"EJMLM}g8,yܠK&)뛙 E7Q`f(E0jOwdA\$ ? "[ӢU1%\FnYeřc%5׺}܋i)NM˖f(&w|<;Evv[gqz/;P_ha?Q*y悩~Yj 4$I≝l\_ۦ\(8"Ȯ'NakM+y$Lies8X3ISA|.*=GK!X[t{A,+50 s&/~GC0oMvpoknĖdFjՕQO`WU;g#fpĴTHk'[ o)0FugFy1c-HvDG!m 6Mk͂ަl*<(i$ڳ}?3[j=jtFU4a` u~zOjŚ"DSJLfYVL ͕rGP5?̩y@[Oxa( =d3z@aiЇ=fz* +z<]>@ͷ2o+*N+L˒ϱxج/ȞN#&}x/8 [;)E -faǤ.?CpɸF`\m5hnK3@hf&:d5%s C}ˠ7,HU~i;߬{#5/pK&:GN4 vzk>LEm]Q̔f ;Q/ÞV.AG.s6vgbM'ghqV)DAnN0vkX{i( Ҭ<hxRaڲ ]>??g?"w&Oqy4YPŀ'F GX t #ː$t'i6 (,N$MC'8b 'cCgAeӀY})^e7"&s3VjulɉAUT'摣 EQҌJ94 z|d@H763kzk5Qix`$!2RH` 멬9˼ b13oL7OQ31\K#7O0 ]Vw8|0MTk0 x]_/Da9<;:#la 1 FWzs/c endstream endobj 2542 0 obj << /Length 1123 /Filter /FlateDecode >> stream xWKo6W(VO˾5&h .z-6Q4(*KiD d~0 NA|i!ς,Mv. Ǡ΃:&iY6ޝEbEQ$z,H~)SҿwJy۰A,CVM*K6ҀyZ]7o2/bSq&u3_[YEָUU`hqC@pXCsPguRrWcA$=5e(㫂1K룬a,"Uj*k'f&b`,ĽbgKdEQQ:Eɜ6ZƞYVߦݑe Z}/Ml ZXtODp6ue%Hzтz?ROuHJAp,O9j=_#Lݹ~ͫ{ ~F# ٍ%q! ެ 3-Gd.bތqȘ>Ӯs~h[XųcgDR(D)ުuxX'ۭ{Y & pTI6?MH*LN.z4Bh 0{ՂjÓS)d[B⛶lr:!ϤɄ1ϣrG٧]mΈ9"4V*%-ͼ<[GFɕ3EX?-(EYe4DǪ:$ͧtطWm8Z>r'zeU*AMvK[DBy7݋ִ^{,b1BT czWfQ緍YfTxouYt^޷=-%L?.jMLP_7{PU2e{fz endstream endobj 2546 0 obj << /Length 1814 /Filter /FlateDecode >> stream xڭXY8~ϯ#S Z$<핽J&{c*\3-u S5/Fj>n9nO~wZЗil`д-є'UgccUk Q6Wn߁?8wgu3R:s[q 1mΨ`jޯ)! h& %q5 T)L!{׶9ʴ(}Y])DE$%x &wqW߁:vvͱs(6cu*eq.BΒon: uǔԴ9Dp%+)F&X"OXGO6Ǿlv@JX.}v$ܚ7J"/&pxlyhia7F;^06mk( pGT{@ȅ-rigŒ -NsP8( Hr.FӅ0= FYnp`tN5%!%9-Ϊ/S~8 <5 [ XOt-9:+FW|ʆrX}d08wp U% 'ȓYӅS@%ni jNI(&@gַpYplAȆbڴFq,3 \e5ޙuy5f(0 9|vp?V^}tQ9P m>lN:3X9י%.W ZP?*FE󹤯b޲|6\) ە6ԒL fO3| mH+7%hFpOmZu}O~*Yb^suv5G&M $: ՛^E;%un{:giGc36BlaId̞H𦰛}oW a8=OF cf}ӒCod);b0P5ޗ=ShϗlL7vM4rm7v, -ȵ* i|;$S<_3|x`x}?H{j \RZ L>H׷(<"nLCÎ5Զц"iͶ*kӻ:\|z%hy`(sZPLFNׂ8KXY[DQH7- h-d\z4Czt LZ vÑNj>꛲*ZY/ڥԗ3π?^|K|C7>a|qHhtkP˺\}% OJ庥z1}q~ endstream endobj 2550 0 obj << /Length 2107 /Filter /FlateDecode >> stream xYKh50MK$%JS^a9dGLVK %קE%a)&KEՋw}qnTXOgݏOB`ǓRyt{6D1\E!4BqwϣR_%I8rЩ(鎠c>i ]fma<(K4LB; ]Q8>ƉluKs1׭g.нX"X*SNcݵ[![Z!X]=%! :B0j;,F|%\B˰{L&*p Ȇ×xxwz]i7Z')xni)&#SO7[;k㕱n}c w\I<]8k;?v=1 0O" g,c/"g ]z~U}QWr'eBTѳPz2.ΆU+BS=:.DIV},S=~nH^5bgiD`V 5JTt75/(9yلk_ g05(Dȩ]x_>uڇ@*L{q *')4G=18hxB,\4\_GFX@q?M|6p?8,S71D^$!-AOn+naHC0Aܨ EN9!~pu25a` |}.޸^량rD nvf+ cm)|s+~Hvˣ oQ Z V,K0jeW])Xff6 ;3`y#PNfs'8_q_ISRHrt_FoD alf[:x?0(  PSDTdH(|b]/5.h7@[R. vYȘAr-`Qӗp `,7Bp*׷0$FS*C4~͉@BqdX (KRndKM}g5 <]<{zh^ِ Si}|]D*4wz,R0l+(8v2e*ͮW ]}ԾAk!{@0,3#c0wLL\+W B%]ln\wqi80.6J{je|9VQ:+xKFC5&m{Z@nkRY;$Gcѿ u?e3 u׾+t"H!9f\ ЛyvW7D9EN2X)Z4by g=_bLo?Ǟ{2 in B"0ޗ2 S PA7KhE&9.;]_Pd랒pK 1̉Su?w+eRPR.\^jx[?{.Cw#ezMj|paEnB49`{\4U[[!1Ѳ|;__R/'_}AkO"u />sNsL5`h>$^[J>+g 毟mvc_^T endstream endobj 2554 0 obj << /Length 2097 /Filter /FlateDecode >> stream xڵɎ_ad.2戛D 2L [&h,-,9Z>|$]KsH=}iw~J厦H {lBݿ)u(;\u['q{p{ y26Wi/TR_㕺/chc)J),] |rΑY,lYb)H.Nj= eU,ETǯ--E%%<`{3u 6kf"ӄg2+NMNO;O@!v۵[mSwKVxԭ{e%8'T1 Tr0uv""p's`E #0UNM yߗ~aDF% I=gcwE۵⿓Z #<#ia8wOߎM98H.-ẗ4):E|AEQ*|w(H ^%m|"' .8\Ñzh8%eu1E$+K%H|骩J "roWEQ9{ACFojnh|T~& SFnqqy \ NM4*{ּypXP*I4]CSψih`h.nV^7u4YrEhQɂb5XY:( %^ 2 t.FC:%/1(\|-\Q!J@vxF\ףS^_~jllTL,Nm&1+䌾Ӝd:NQW!K?,rYax) 6RYMS_z0 _( LƝ)m fyt oסMϘfabX/I\5F*Kζ6:V*³t.0FφeiK_7VswqvB wo&荓NbZpdt#t)lY]SXn+t4|- 35y2}wـ}2} BfL/h˹nmE_?2ot.1\Ez㍀umlnξ0" _  4.n<-+2o?yș8sVb3Jd ~L)pSS?Sή ?m,(nywU=\(=[9$a0 (rpx'Ʊ3D/Ow\8 endstream endobj 2563 0 obj << /Length 2443 /Filter /FlateDecode >> stream xڕYKϯPV0A|ħMv6U!L ;;>Ej)e 5&-prg/ͪw5^eamᴕlQ2<;,<p1誮{PUHk$m-cu+A,U$Dl4] |otUld}5aEAVػDöLi7c3tXsbp N5NsarȿnvE*ΖܘXN'$O$׼I@w0:O~فNy`Lb;N @I$R>Zْ6Ti{WkFoZ^;t+SH u}|j##`/T Bf #Nc/ʐZI;mݻUNA!D*2-hǚaO ?UHN$W6&C{>#8''kSw;2UUe װXC7 0Tw&(/fltnշb! K]4'?|wǵ V8zP{U<Аql=F!y̔ Ե&\P1.ѹzo;"@sڦ|er~.^aD)?xh?vRT$J/r8Y<)c qޕ?bRA:.@%-`Rjd s@ib3t x̅Γln$ʖ(DIEJgBb5 ;Q^; /׿~y^pSYC`8`@nMg#ڍ:qi( N}͐h3\06^Ө5Az=1{c?%0ۼcͤe;6};6e9c8#dˮ@FM϶k~w]iE BgS-]]A}[R+2N`Z1:磶#D(`@'6#MBس,~)w5 -'&VQ_AXh}FbxER+ ;oU`}s kjf"p <q X qTC GM98LJ/~G !x!=p!TCS_LҮ5 KU? */Ug'҄+UML#"LXQ"M]:_{M@8]oZfчQ?n؍l&ӔߧL<5Ss1ؖڑʿᅓ9|T|Lm y?}I(Io10ߔ74j HJc|V|^C *K ^QWEN((-'oJAp3YY!e`{okv^.]fRtPpM&2W/YW|^93\cVq8WLa6,EG?FMƁcPkbԦ&)N t?( )L`xg0cAݐ1ۄ:[&$)ſI\/f")hH)jjL; \2&pTf18bV@i@H"ś\vLpw|" 'H:385gDi#B'7姭zd2<4nH XЄtUw,̛ ,~"#>H endstream endobj 2570 0 obj << /Length 2167 /Filter /FlateDecode >> stream xڵYK60@#R+s émӶ2H$﷊U%i 'Tw}Eǫ*^}pLW2e\~U"a5R2^][}Rj%Ht>^mXiI더*>qzidu=s}lWpXhñaKDߟhgmW=7,vGש6UҞ-;ٶk2L 02[Z"`ŝO0ว 8-iwbIAO_?(/ZM,˖GH@A䒉-W.(T~Ѳdq ضfș1fl;Œ@YCOe.C^?IʐWP,UAgB^DEdwSb2S1?8'c>jǡELM (1nMKSG0 ˭9vMգ5lΞV(Y}_d[AٺVg-`#3g[eRhH"Ι3k9Cjvk*sIяU:  hu5x'@B/-<w3~։$𳜜K\*[d0H9Q%{b*;0 h2q^=>"$Vi{X;sV/8WozikkK\l G @m=G-v^F#ы)JZerE,"j kC zHkGK'RBwmldžתT88R#똘s8|r*E^,G 0ۥCs ̠' tɕս3jER"¼}!IhzSnz?zkt⛨~p N/jZ6JJ/ᶦ/pr(0U+XgAmƦG8$$G/%u7{Q'H!]䵿c i"@t|2e")(ZS/k.RD#Kgssiqzs_!qI"j̄F摙% $(s+Ќp#h/,!ԸC4Cޔjyc100C8}Zf/77CjTmMM1C/wPl~yšN?KU|#{y"0qwOMweQX($o̧0@e7m<&PQqO 1˅RLkjښrwLa+!%վPRv2] 2 \gЩ .J ݚ.^2*QZΒ9LRV XbHZc9naLl!JD/%S)Y9`xSCyZBcE喝9}OaDzx4YNmdGg ߽.;d-5Ȕϻlȿ,ڰvYHDT/M@N~[43PPc>#۾'Iu}5/Y'Zgyt=u+oMPuhKܐRzz +"Pz0 sAر7yX@ endstream endobj 2577 0 obj << /Length 933 /Filter /FlateDecode >> stream xVK6W9I@1 AoVW INr("FE.677""߽zY()iɢ!yӂP}}$B%IE_܁b%+8qZX u>@:&|ap~?BimƖ;j|n; qג¹e,rl =rl[ Wy+bA7@9Rpf+ȫ RJ)0 m[n rxx_[J jq(e|Z#9=ڙGCWiDYO=! |[ W^ʵ0:x Zys+q‘9ŋlL7hi඼}(6IU۞ 8LvUGJ3rRjY[Bho\VA p;)\윭z\kZ뿱)pm?TtH}Ol/D^envs<Ҧ/ib}.5^bQbEe _׏ExkD endstream endobj 2581 0 obj << /Length 66 /Filter /FlateDecode >> stream x3PHW0Ppr w34U04г44TIS07R07301UIQ024Ҍ 2jA]Cq endstream endobj 2586 0 obj << /Length 1845 /Filter /FlateDecode >> stream xXK6ϯQZ^ 6@ҋ=$9m-$wO|Ţd˭9bQ,Ued_ZZ4Ipd:HIa(>NnlC-j mNKi悮znZ8.rG^Dm_n9x kw?"#W}}Y"7WZ?;ӫ_'u4`3C.]Heݮu!qUR-K]bd:}.'[124=cA?? ePt%?7k ʓof{k! |N+P*[w9/_BWS<>WH+穐U¨oB{ϰ|2;٣rj$o.:E%i 2 㜉d?q endstream endobj 2595 0 obj << /Length 2290 /Filter /FlateDecode >> stream xYK60$c"wC'd'dEf1`l[YJr?SL'{HNbXe1컫VW_|DKLfY.g(bj3%wp[VYc3bP"%'9_$Llw$H%oZ|j沈GTΓ⊎~o͢*kG8aZt]7ۺnx= Je dhf_zJ\E()ne\,Stq;N̕gAVE=Aѡm󬹝/Mwe8;t+5-  Gu#ۛ"D[F8` -Ix+6Qq?G>xQchXLEO ;Lk);I bю?@ ~{MU)(@tUw%*>+lˣ|.Бr5ݫ M]=9;&3rqlLԨflJ v{v1okڽqV2*c r,à;;kIwF< '41Ԥn28,$>yKAJ[ͽs^1RY=so]Q/8?(smW'ш8˜Tr3s9  .ކSuYrTdҖpPFo^us}Wzڮq!;M OH @+/UUC]EU)Ql>,gٵa׀<7H:wzx* I@*FqA~ 2(uv&2p('|(AK|']*#=pUo&F+F~+~HM_Ӥ(Cf61X£X 8PAժpgL#?Ɓc/#ge{EXTJŢSHu^VP>fȮ`irk7I2M<2ǵȀZh#%곡2HH~ߗJ@( `}j՛l㲊JCUZ|dE:3ObgJϊ` H<28G+F8#ǷD-ajqb`hq4nAjۦ|s$;nnOۿG^1TCw~{ (gP Yk36@$A:RG$n28c}7ﰅ#v~889-ta#Idc(,ZmB~? endstream endobj 2599 0 obj << /Length 1793 /Filter /FlateDecode >> stream xڭXK6Q֊HQ7im4EbX6m3KJ9l\؋EQp7Nl8e~=%Y<#|4"YWݖZ&$IBX7yηgTWOh,ԏ~q3%JX d7Iz)KI%d$5b&,OeQ%4<>$S 5(^JV)c4O$To}YЮg5e-[E)4.Gq~%ּ+AVF -.biq@e 6O7WJ#܁ƐLĔ$Qʜ[7AiIOuO6]% yF{cG$҄yl%/$N5>ۭCK'4 5`[w8J8(ߨ~VQ<pEBG@("s5\>drĽ\M v;iژmf'ǓV4֛gXai ?ZK ~H $S͕ B: c(PсA-טW, S࿎X цbt=:2r/G $5k;h]RsQt0n+Y% d9S*qVbkXɔ[a1pT;n/C~4WnԭQ#HaXl̎ T!ZBXDұ5,zeTĚS8N&8,$0wl8x]Fi^=0(n{@qD rꗹ?}.Ho!5 ;rWY"i~<c]lrֺYͲ8zkD˻RVҋ#idk(Llk; xnb} vC</Gf4?[nef*[LuJ3>WUnp ϲVUS̠M6|ݘt xcv Y?1yq[nj+B |Nn r뽊П6e)w8IPk<)WS.7jب\d '+xR} ~##{##*Q5w7Aj $X= /hqchq+5pȼc/|֨ϑRD~)^/Qb0_ruڪV4ˤ>X9hUb8(ܽlj~xor+Gh EVk>)¥R.WR؞KlE{M@m66Q),z%/a^ǮmLЭ\}ߩfc#a`JifFe HKٗ}R"bv(i|Pvk,ʲ)^Jddn.Z}ˌ)JhV8AGb%,>#FCIOp'-xYݝb{M 4j:p8aEK!0zvַ(`֙ ̦2vQ}۔n8Ac!rEX5oP l2گ[lY, jt֐#RPWʾ(L:4!NtY@d> stream xڥY[o~ϯ[ fDԥyf)EAQZud̸P(A;| EpbaXF!KTF[}vK%T׻wx"dn i%QүX_wB_߅C8Μ2qĢX`eYJK;SUrqh`Kui@Z&׻=sWʌaa5S8]9^kun,m\r;+^@XgQewɃRWߕ5-^*`yfa,ty{Ql&o4zR!}ekiKYF;#d H"hmN+s[ϔ$o'` #؈8(ֻ2sT.zK|n\q3# .QO,`_c,vGEU8oӏ[,x&8gi8VWW_HSn=^o$ s`F8.K"ꖆ!` |ıE0kF`D)\cHް慺mA(0L,実>BرX#D +$ .bη~$QcJNx#D2~{alޖk> .KP!0.EDB2@rHO$%)\H7-:# 3ᥚ]30 E&sVːk&5\wvNIB^A8BMu971ƛ|9(eKQS8mw>"df<5ҹ`!?8r.Lq~Gc)4:nq~Tsoh[r0QBxi9 = ]yjZS;s |E%mX&, ATpO_8̢AˏsWqDgB@dz#5QIxܽr~y|p e9n'HԖF缊X@UL"zjWEȗ>( 4 1ϛKLUnN;LxbܱNp%pCq.hEʔ8K5{$S490Zک|]wR%3QkKt)|*XԛYeTPSC`Ɛ(I+uugt {nŧR:UHSe<6O+zl3h F"xѵ #A;C ߡ%>Y$QV.=Ȃh~` hjC:pdAB%"gCY8v5Hq+N! }IY$8e9Q;GIxOlMJ#w`b)4BucГԝql)KqTSiezGTie@ er &96PBPf8Thy:1\eyҗX89XM t.?tI\<F6U / Mխ&RJ>bȕs}FK!ƹHAΨd E7|N|H_-drD ޞ<B&/%@q},MN| \w:AaWg8n!x;, mӾ 8<[I_wo0CӇ]?]NOD1#JoF> endstream endobj 2501 0 obj << /Type /ObjStm /N 100 /First 974 /Length 1875 /Filter /FlateDecode >> stream xڽZKo7W^(rf8FE-P495rChVa;@ m%^FZK,.IӐġ/! cٚ :PC)KjRBնŠBN#sȔC2gIJ!`(;Ug.J` (L}շV25gx!C8^qPS*NA"azalk8xPԹ¡,+xUNQKoPhxR.F (H\GA3H@LA_"]*AJkN( C"Kg aLP:P0++iɎiwvC]blV `tnpTZuC))`o5qwV9jPu⽪pF%' ~ 5k -_M޸ gRU9QR_d-Z5Z#|`LW3b< ɘ d}V}YD'`G6> zWه2췇~zqi7ҁ{;jÛVgwN%Zay[Zb5-ǜS{ڕ"۾+|׮EA H`ΊT2"e;#!#EBv_xAM]*F J ELu <Ta!X?3Y!QcMb;EER"jC4FP#Q+%/TID' HA@Y:'0t=2'a:ڥ.Mx֓)-ƑHLDEfk69֢@EgyGO]x"8} -t4聙n 0,D@s0Նxu,6 bl8,ċXTh,v7ks[4kymg*艠 fJÛ]ưX)cf̠ 9̌%"ao o]RsI =ps/ɷ̝|'UxH$7#Jr"I}GF'ZOzj%q]dhЮ'C=׊N|֘L Iv-퀼$ĂlԢ&-L(eo{=~n+YC#rkdhz=>"'T Yq,R$gnF$7ٯ"D(z̈q\X*Dy)󅢫$+}P(+&c5gA~UվXhCM3Y4-jaB)L?I}.?]"qqZfza<̲^g rA2trl"3U x endstream endobj 2617 0 obj << /Length 2566 /Filter /FlateDecode >> stream xڭYK8W9@%5"$A3AЃ9Li[YJr{ԋzx;9,b=a޿W"ҡ*Bn,ZeaBnw_7G{]qzeyp{tLi/:ʃ<c׻/~Yo`}kOAyWt2=$Zq 2љΐE(bzg)oPeIo}\mA:"ąJܟzDYP7.#exԴܕM$FG*F*1"ȇ=΅a/WT oف:CP2)=?->s~ۻJx@۲)vBf n`crrγ=\ g|F\ لvo$/jI`[ 4TSA[(w:E~>'~9*{(ձF؁qCÄ^Xr{؀=Vm -\7JSsȆh6jguHSͥue3(rY@qm3&t_xE" gF1Sٗxuls}pP(լRT?ӜYG2mɶя:m8ND(8LL4v=4$âmcb7ڨ82suHKx+0ڳ\cA{1bܮ㷠x:wڕwKҋ )Hj_i~?I@'|n} aOU&DnT`ab%Hw%?@Y$3bL<USd+[\cALc(zj^TZ++f1]oTdn)ҀysA슲zx=(-/Bf\O͸GυPPHu1X>az!]Š.`%(] Ϳv: >q&b_H J@ܥkXץhw@¥/^NvҴ;Q9voj`A^nS_5*$#'t'p{VJ[u< ̵-aVW5?'5wXijĆ>> stream x3PHW0Ppr w34U04г44TIS07R07301UIQ02Ќ 2jA]Cq endstream endobj 2626 0 obj << /Length 2378 /Filter /FlateDecode >> stream xڭYKs6ϯ\56SIjTmɁne3v~G[mr)$@w'\;w:fw_>i,0*b02S&iov y,*JwͩakkmSw: v,$ *5H`Zʣh2:rnӨB HEgPC}?XƶyIC @(=`w,j,|iI ,vv~c[ ɏ"Sяc5{ .N@<5=N$Xx4t7_&'#yԿ&~v>||l /]W7nN6{gX9OFmtƜ'hHIsPWe \ SD)ρUŗǂu ە3뚈3/μp,t)3mۍa=;[XD >|#TgPͦ,BKӊ$XHA2߉k߫JWnwYu Dvei%8ځ=PzpP{(g??`;-il) a1ZiJ_*H*xXF'ʕ;!9:|1r 4DJCv:(p*kjiB[4+p`J{ :] BUF) W%֞fjR'vUH|Bc qN31dT{ʣߒ )w2XU!l+u@E;96:+ "*0,2hyuxh!ļT)A?"kX28bE _#!s=|/@Te{>{]hC,h1r%[HNn}]^]"mD 0ff>Rdj̝k_ΛJ&&v|؎"/Tf@Q`X#n`P-{ç-MHK6]b䪺 S0:&L kQ1o%[`UOo, WH;'W {\'\7)@)sSh !mIhu/%H \>-^le/1[xrOI }y(T4Ryqhjc>8J+3#<ѿO$po:c XF> stream xڽZK۸Wȩ2aEe8q*U{Ȥr!9#)RERkO~}Қu9x%Cr˛߼',Or~<q0Iߑ&S,\b0sכA13t.Y4wxTe>QnqwX/1yX/4l2}EknRo=JEw:MUR>_b npY8X ~/ WM2-mZ"˔DaiY7vOxw4"Ml>JOGSi†icm"X{ɀ ˃TlDj?OG 3?WM+|$6FfJ+ps7лmVIf^W%8k1LTq7 }kW:vx}-9Kk,FrHb_o䏊BTNDw҂G2I&M%yp· H&'+g oBjd<<N9\VCg2H ^' 6K%m5Ť@buM3HrK1†,c_/cÄ X!Ƌp(L}~S6e+U'4, _EfC`@FUԸxN ) "8  hqyR;ʪGfCXW(9҈5CG|OJ '*mF2κ#y%u |pv FujvbtNP{6Mƴ ?pw|gYj7[]|XlSA>>va)׋pITUol5 " N t]bP;FDbmao?hܻ7Dː1 AH'Cq_q?n2&tzÏLۖerdn'ґtBqݕq=ʰ5L$MԴᥥ._u[:y4FUBSJ[V ׃p$W;i3$ ɳWߤNLʁqUA I2/κprIE]",';LfU_rs?m3f'(s|ඪ6>)Ćf}/|r!F .(.CĤ4 Vq6lmvk6cl9Au `k_SKY 9-@wf# ҙny)&!0N&|(׫ GZyakK*U`B;ػXm:&wb&,xsy ՗ >Ŷ}R= J9ɯDL!K3!C!a&Y s7NB!\$ˍ( `0b-:m<-AVHysNDpm^vapHoWWE <9#izlr#>x2ŽG?oAs.8NӢg邏2h/X[4=&0tMO@ T\DCQBC5>T܇ 6J-S672!>i 9kpp1Ol'h_[hj'FRNeסRսO=@lL**ޟP~ZPaB}R&DĈᏰnr?z,r|M D9Vsxu1]ٞ8|r ۮ(er|md`Pl1Pî gagqXU@;pnlҸ1Oy` :PhkxN(_=k 6٣ $L]hЄ endstream endobj 2634 0 obj << /Length 2171 /Filter /FlateDecode >> stream xڭYK۸Wf*erH 䴙)W9eS)$PקEj9*l_1 7}ݛq h;ntaRmv?s~L^[_%o8_[YwF^YW ]z*DN9qT- @CrHH@L#Mh% 9}Zeww]AnHVk&h_Xp(Q˼uc1`PT$mKxh @ͺXf ( =2y" To,7, ҍGA,gg}T‡]bˋ.H*$(C)0P}yӴڮWBkˊUۮv|O؎rAR "e"<P6ধ9OzK0CA!ke_6Q3@f YCg8UKx3k5kEJR8VE&+f@) 9K*`db*{BP%;PPIGPE1>^ dž(7矅edpOh!?dt4T1>uTWY쉮=xU ~"qz,nn6 Qiޝ"΂HO^Pl=rl VE׳ce1uOH'Q Ԕ# hB+jEl,hu I :R##jwi;uȒLy ?L#;(v +3׼Ye, D"4u&gɕvGq9IMM%EL{Kg_es@qp7vĀbbZ\^ d5ٴ}[o]=vVV= v0,q lEmt>rs;!$;iʱ+,P ЍiGSFV|5<{KPg|653"_~S;{nq; 4UWNy;&=MнE360TNrfwzO??~d)w.xDD_3'VN)Qkѽօ= vԝAvHMF LF~Rs5 B›VP|@yέ=3bxgh4% vwHÒx8KLh5,8$ӥ1= ('}UyTRS@xٚxXҿgJ^L9ll*wSlG߽u endstream endobj 2640 0 obj << /Length 2831 /Filter /FlateDecode >> stream xYI۸W~cg;C߸o$M tw~}P 9%; ~UJv]w>1cI\$vY˒E`f鄿84-Ush ^Uc,DžJʲܒ>Kө_׌5L8N}9aM-fCS0^@#%s~.E$-RYyOݝdQ=5zV9> TB n5 |j|Xc h$tN'*NA=P|Y)y棺A׸5BHX=|{ zdtL="ja=9mifQ[,3MAJ )emd@{6̢nYUz}Cʹ+SuiN‌֌~~FFri> dc}&]* n,JZW*.Xǫ[2Em./}Eݏ񩡑'Ӹ@Hg%+C$lL1jo2sx?1)4yqtGGi1#}A\q VNe;~ULEF#4n5);ZdAv؁SOh:ni r^ab  s"3P*Mg4A7㴏=t> Z:حyHͶh"|Њ[Alw߬xAH[E@`m$nޖ48A:92~ \nIU=TKFVRs exu}wx˙,mMcƻgT؇IZdӹ'X rz 7MV,"ƑklId,IH]۝GRo`sAZ 1%6BZi(QdygXH SriY/B%m2F L25Tcp89S<"$l|܌2|,t¹ʩ3/_//וo.62.ђyL<0,c/K+"8{ŠF?[8wer[7Np2[LmluL7(>sT/e*o|$$U: r)Y/JoGV[F9"zO>F!!l(N'I7'0 /nMPnaY^ӝNl!]W WFػCdU.vp;&ϯbٷ0pQ0Wd6S)E7_У ˴ЅgXw-bk#s<-ft?gXKcܹXg/>,EIժ@#b++KMЌ^,B&R.w-ܾlmns(͌.B6<JGDHB1q-A0,,y2~1O@AvŗB ]r:$vyOX 1WG([sa#Iۍa HY<8'.pi! Rla*.bƾjYyT\gϰC ta=u:T8_y L8J5hX.A,=ǢM G_]X >2XGɗ23I<'`Ui@*Aթ<Ǒ;akRnW xE jLL՝hf|l96=p|inN@c*0T2Nwo`TYJ6<J2q6}+?`\iQYPVVjX3k[J6UCdl1bժ ,ZAEf0$Mր`QO 4Rw1>L%q\J؋jMW$̵UB0$&KmkS?zŀrU …+ _{N yoisU­|$tӎ}.ުl㰈q \2`<y.$ӯtf)₯#@EKpSM2hV9Je re-U!G/ʷ_&w endstream endobj 2645 0 obj << /Length 2377 /Filter /FlateDecode >> stream xڕYIܶWSeRWNJOJ; &;\$}nöfN ߇~|w?juRaP:ݟO>eaqrNxuETpgYd=ݝ2I]|]W7@յ8{IWh:a^?dG R`:Bwpc侣0ȒwyptE'_EA ɂ[3=Ixm7Lv5|<"Yӧa^$L[nܶAW "AOJӲVwG#1 `8zҁW'9g35c[ Q3O~1MZ|#`hv".85v#GS#%ߦ~M_;ʱE)D~!Q}:.~ UbL[`(AҢ uM-g~<*fՑ^'+?LuSխhd'*ىyp= ӹ FY CĎV7qGo9!"+ 1"i(!U/>&0:Maz&N‹xugco.o 5_I $|(ѯܱPrR#έyr0屻 ”|,w\ 0ֳʛ.]W.rx\\jDц#N~ IC0IPCJ&Քk016:˅t&<_yi\ܘqma˥Ⱦ"vij3F"ƠꃫRʶ%X*9mvڒx?[l*~xR>/tq-&mؤnqRqAUa׾NWuI]P?א@H8(F PN tfmk{a=ʼ~NhxEav(]L2o0`fIou)TjK<׶#I !fIŃsarz78ۿI0 A 8\mϢFkdHK?_ ԍB-(I`+ixr\Al."i{$&ӹޣϻ$āR;E* `a&_[-fOqoRg|G<%/A$P0SqRQ5ճ?K΍d+m1eWz8g. fxቔ9C39:>OW%K/a@ t+QBƺuV\lk`sieqpQPmK~(@P6. T @M3jgA8BIN8-SvW ~@h!:+ LsAKs@ז'~A'ejUQ_0\Bf*0NĹ& G3 Nh麛0ê+$+vQ ||XcgIL D0_b}KktT*As8偧bMh}'83AIm!51D<όXfv5 ž΁7ŭ85`|MCfQ0V7@5PbRqTq`0h Z=h1^[z(䨄^ >Rc:Sφ0f\,ױO4(xUsC9߿A`Ɖ*U%.f,]b nTĹƒDYQ:ԑCܓƍغneK@jiK}~[8Mv1inNK]gܸ1QEdkK4Rr{TM8 9R'W7dE/Y#pjt;2G7PcQ4li. $au[qד~΋[-)$^(-m`]d;ENJ62.|^_` ŀ u1]rZl({5! ,ʃm{R;?/,Ѐ yt֕mR%-IQ{E$1+"َU9~-llGF@m~  ;.Bq%h+&#A8ݒ]AZ' ^z;$>N,iGw"g,rf+9Myc endstream endobj 2652 0 obj << /Length 2813 /Filter /FlateDecode >> stream xڍYYܶ~ׯq4f%R)eGUѺ*'!v&>}Lj#q4nu3W?ݾzN;ahÃdID1i-b1+6J'mJ+<;8v<{sǛHK@B;%Okd92c}OܚlSY5YXFxLج{jKP#W4X1pU=Ǧ8r~kVc1qj$jڶ;$t@yAAz"iL ЗU$=,,1KK;,( 4Vg8ĺSr;љ UfKn6R+S]]sQ* Kre4U6^.VɃK?ړ%饳 lmQA_M\ Kt 4 a<{4P܈#"m#d \4)rdo%H ia5]P"UjΑb@֧)<(zm2w@`oqϱAsD{MGđMN.dS9|;VEyM~0+VDnqf^fL'ݻu୿ļvbS,Y) I &Fu H-}qd7$ʽMJPYlS1L+J15'cK /֒r]T8 8D%yK_{ͪy<93HĞ>m<5X%}fDWΏo @x_7(_4,$406B0͇w=6!L R~}ߗzߧ:7N㜐`dB:Bs,ޭT`^o\0v9 0( öUɳ²5IGɤC8Y=wf1 -H2/R–Fa½~aŝ"q+ R$; {@?<<LSFkiZpO gΔCZ޻Aȋ~ vnړ[eagϰ)1*ajQ~iob͊n._d'y>qp/M'>iW){9[n)98$7GM!N. s+НN̢<^r. КBe¡V`YLQx[_iv|gAoY ygdIQ,$\Ë"F[Z/g <ͧxJn_ءr6f*"D3v$)p>PaCdj k!ͭzi.+ˍR6PM37%3&&uN5%P9eGk`\ WKBѤ}Lޙ9: ZNc(a@J8k/4J唑xDŽ dQ0bĵ#Wʹ;SzjCrg^;δB.빎Kz8pesżyG0%qdU`[kayRL,\w QӧĴ6m/R o71$]':U% TDمJ)eepfKEMTG Rh3F$(|S$߿ݾ?QD endstream endobj 2657 0 obj << /Length 2886 /Filter /FlateDecode >> stream xڥZKϯQQ")isd Lve[3cߧENd>JdXWUO#!Œ$Z%aB!W/I7}ޮ7q&I/~_Giovz}N$Y(p\2D$iCQH8_>s9CHTMFIZ΁\7Ym%2~.} |#ZW,RiIH8v6w9ɰeiƝ>$nU$a~;I0ҡM$MH:98cī ba8~q yPo)o_C.ʜ&}0fI *W%Y4gBɷ 9v!:ig4dO.Ύt}nE*eh+60N~E0 /K2PX1'EmQޯi^Ѩڨ$*z̖Iv;H9c H;%p"8EuMC&[ZOma!yp49 U(ҲC _S&ZXtC ]Wb9mi{ᶗS"rz[uwݗ?MbeLlV@59(!4wG.^W;vφjalﱆ8jň4|&?y`hhiCϩO@h2/Wo+G5lZ+ꈳTF"u/qpdiw 3 l<ǁ*zj4/SdRY$.=ES}-Y%w|}kd,{RLNV6q@`mwjOMtjMP(Y0*H 48m;E\Ɓ 9O)#(-GLMvE1/xCC@#ĖQ16?mfOo‰5cRd85 S=̫o\NsWs|ʛo\k$37m!Kvq82RWjP!/暽.fv/ٝ" ,$"g |1}ј*Ļu6#c8 4!`0 gFJSa;F|H U|h( N\'@ݶ NB<YTW]^n3[]f6p˒rcGh9e ()Hr~Ո"ÒZw k^:ǥxpy,-z|?C3HNbP:@͕ zcLo'Ә@d;X@A3bF/d/~+ 6塮LjG%'X;)gpo>|&.r6X]AZtY!AYkӕK⯩l^\^ G[r3@lPD̠?iZNW24X^( v/TBa"w- u6MwyCM~ i%`Fgj؂ A2+/uSjYL@BF*1KTݖg"Ɩ_@$#E xg׸He V3jXg3jQӕ|Ԩ3:v^7M߱_tUPe/< 9_`WSijMgrq2k|-\b@d"il SX?wb{sY7>Yݭ%l][h.oI t'ә~/o;4ǥ; g$|I>M낽izuuK2=Qvgy+*]J3ySHnj`qh$,I h_1ZL#lpz,,KEi~n,avM$jF2](ȢrmݢO[X&JbP2|v]ta ^sHOhw.&48tκiX.ڔ)\8EhYW->b_?~Xb޷x.0];j06"ƮҥջGp}< .t-]wM7t&jJam [L+vW |A.2 YÇg݆ڜyț|N:zHF`HFA@W봦BT]S^2 JmZq, ă`cuqpSs%==u@׽b*ɿa_ޕVj A(vv_`0d[T}vWO۰i$f͆>(M e~֕?yм6/_h(XM#Dž "v֨*8_vvo*?@3lˢ;ٲ[<32߿=/c$ endstream endobj 2662 0 obj << /Length 2547 /Filter /FlateDecode >> stream xڕYIW-ldHs)n9Y-#q dè&kiۊKc͜Xjo>.σ. wywe7p9߹qbz\twza b% u3qFP ܅Ʈ>1Lpw9nN>`wwA>p;$DNԯ;d:EN,6j~8uxlO`5~:֓E#ecBq^96(XJO,!R28(_'A-,-^fvan|>\z` 04^knRզ#^\h:-$_D- TIfKƣѭ $y=J`b&v8e"L) V$NI{`1\NG=RmwV:,E]{͹\0bW*-S. C 5x7ŏQ) S87g4Xtu͐ cs4KE5yI|L>& ybӑNכ^&O[A'*1YuTK&YA,˽N͂jJٸ67M IEA2Q^V'u.x"?~ww=?2?nYgGMMޞcЁ$ØqG `-EO<,eϝ%)f.%Mp?U+(bZ,XBx8[%A8+{}EП݋N/.DI#~?W}9v21e#ts/D0K&x/mȸ(bNPMD $>K㔙YUpuh.-h m]#dM# ?R_WM7HvJt7>Bp0/n乗S43FN9rCdJU+4nI+?jO=Aʁtau$Kݫ+-Rj #4e K N2i_I*3m,Z\ UHA )1K*റv'p_-0#!%,f*Nd߿? ' endstream endobj 2666 0 obj << /Length 2214 /Filter /FlateDecode >> stream xڵYKDW\Diq pXCHQ=U%n_OFTI~}3 VUww/^* Tn* du[so۵Ejg~.~gmLmNk?++jj?$@DQ5Hxpӫwa2=G*R8&C ^rW"=%*Kr^׍?ԛvK;L,ZaX~xnxzLZ*;5mhbS9eUqk3e!̃#:vuQM_n,\(#_7J30kkX@`4HZ!ѲQwv_ U;j0 uWsp67`8Aߡáۢ>A1iyhۂl(Z8t}["wBT(x:OT WH[ʵ#͗Xu}i^ۦmފX̕k64"ς- uL>J/lZ0t4Ly $9Ab̿YI"kG*t2PY0MUx"ܹz|/>]tmv }Weo #uQv+zDguғSUlQlj- E^ۢ.[*bk Yޗ-k,I=Q $t \r4Ft\-(Fr@CdbrZv(+$OQ~43"FlٴHmecQbxep'pt8>`y?\`!)`;AzصL4%SN![,"/h{ԟ?I%OjG]q *dfW_B 8E?nOfȜyzaJGwm67汿Qih h PTpLdc=h=7&!+ %)8)>mX!JZ+Z ]c!F7eU:&fAES7s`c\`ҞPv3ۀKc+>Pv繲lx$˚ ♁ˊ6y^fjf8]j=*a7]*U ZgUK<֑iq*7m>rgWv7䓉1լ/|Nq6˶{vu6Q9 2b dxNTbpGaZn{1肐=Eۗۡ*Zd2T\Ub)/h ⓪P8gCe#B*oō+7a.ϔaOu_f @tA8.UrJy} `gMC8 \͕M#FLr!$ig;I+.Iv_X%&oI<_z?E=Ux3EYz>0"{ ]U?R+2v<̺y~I^ -rW]; ! [xFfs UBʁĆʁ35{ xq6M5#&x [ H^vn-^$1; !$ZU!W=>o-XC'* b>KH].\ˀI?Y9D/ˤ_0S1O쮩y5`kE@H yP^ /9WS?OX,KXK^F~RtgL ? Ezp.SKť*#x64,~#y%?O /s-> }{ endstream endobj 2671 0 obj << /Length 1498 /Filter /FlateDecode >> stream xXK6ϯ-=R;TRJ&C6mjy8 v~- lr1%/v OwA|ov_yO/' W˿~(S/L^paa [UW(HF%XvMmxd=(FfA mB-(e:WF4ju卬vK8tS#hP! [l) S_U j V{h^^3.WIqTHqW/qLLKh .ӜlN`K31=vG8tPhaTfGNm1mĮa /I]pm  C/#1w!u׺q/jh޺,JR3鯲@*oաQ[%uרy{?+7rI I+z)&'c,xD\G/yQШQy&C\̲\u% MV7F+2+M.l)D\^Ztv|_)nt. CcP䤺p>9j> stream xXK6-2P)zPl"=$"(wL CY6+dq^aě^OMGu\'L7e\E17v{p}O{6̲,Hhe|ݦUFnC2'6L~3RR: $ˠV zsI>ITd1Ӛ5H]h/!II&kUR:%~D˚*:rGڹ=3]pcf0)NQiҏRW!OVj_ֲo\Lq(d~hauVi޴^Yt.]_wo1V endstream endobj 2681 0 obj << /Length 1417 /Filter /FlateDecode >> stream xڭX[&~?B$PKI&m'ImMd#uﻰȎr 7Xhw߼*&ʒ(c9eRE};t?hF3U,E)ϳGebo_Eas(?ण]jȈpA^,@Lee@񪩻^׋${tߛݙ˨k."3Ǹou]7N I"qS+Aͧ~F;F5AUiSŠthMו@P3J=٫*"roM XVfa 5N/Xς4B౱{FĎG.6rQxKI)/ll y*/9lZsAPiҚo9k#x{zao)'qy-BWRoMM)P*q^4Z4:s`}|ͪҭ Y=,OW8ق6ݺYxB-sBSY񊫪R{Ɛ>y$Wļdz~Qr7O=E Kidabc_<l_o *' Do7'gz* VRoffMhd@|fk< Ky~PUy$a Ґ< Lѿn! s' U ӝًSpqnqҙdz0)m'HyЂDDIReD$HNLD*"s/zL)_"j*힉V6k&RI3͖m D< W͡Jtg(&iC싰e?]qq w7BNmִf7k`_ϰwg` %.Q ^ ՍB{e3NY>u` m!6gҌ|Te7 7hsTotmG0u3]c)ǹ*>*%g9;qxNHأuJ)1f桕j[TTVE7 {fS[N35;kȵpKe6:e,"f[J; NZ{]CB2a%}S"$e|B+*քZP\ owM$όr'S,Aj>vOKӎ kUu w`jxnBaPCjuhKi*dؼu&ӀENIHUccCN/ ü?uK v8WcHHh ck(JgUpgZUKyeT>kh>y#=%x  endstream endobj 2685 0 obj << /Length 1820 /Filter /FlateDecode >> stream xڵXK6 W(O#E|Nidҙ&f{JsZ,M}AJ^M/6 Ǐ7My'^saqT\7dq2\OJm"`,چYP<ۆ(56di˂23Nb+;$ 0ζ~}%s;d¢T`3 '$&72؄"@wݠoCdA=؍쀌ƣnK]k)gz=8eݨ# a)=@lz烛V2zJŹ)MeQsfxۆژά%!Q"چȃ< ]Wz CBde[Fp Ǻ)ySib?Ѹ" $#޿T,w;Rfv}4(5W-)^̀:x4%]enSR>ȼC|Й::!4X8Xƻ5Ֆʔ6 ̷m.,__C\ aYe`MX;kEB^:/(b OR5@cRnڗԠ@znZh,UOւb*p-ΚU)wfrHİINhV9"<لpP"RVaYtԸV_uy'um'x鉋ڒ61&f];㱞@ n+xPՃ9_8|†+SZs݃nQ6+b>8ڳhsP^ '\5] GV,/tr[wSzNu#!ejh=_Kpx%U?G%p!aoZi)@E uOBI9Fԇ;wya+%Q[آf{L'%gw0eVDD-`86vcQȉ<9&jD`gXНs?L2vDg/؄o y=!Xd#Dd`K#qo2K BX׻ú-5B^[̤š@U}ۅɫ}vM=HTːKRǓz7v3SM2S> stream xڥXY6~_j,RbKʛk8Y$@{F;::ljȓHH]_1mwWzZ> v^Ԅy5VM2{B?UytVJ0B@n#\lbN58]֮!Ue?Ȓa/d:3M{| x@hY`<Ł ZIԫKR`Yj4K#Ӆ^yۛaR5u_"_JDCqq]ػݍI׹ @B]aES;pecj L"!GEIW(J(uSH]v4zVy%LATTm?HJ@o{9`r~xP$ 9a\C@MQ ~w8/Pی++7rߎM;q 1)_x?QNEO0ʫX\:;p G9Vi|gnNS|bf5<S l6Ås\,gWB*<I=)9 TH1H\\@&_v.2h ! Mq4UtnlIW"קo:RLԲ@jp8A)HN۪W4_VǗ~ :r8@ x+t kʂRٖ%1Ie۬K8Vbv{tl i#Z2 ϝnB۪oYeSchڠTjh9y,? $|H<) V{=s ;9(}#fؠq`n(iЭGQfɔ5PyK 2G +00& Ҫ vTehFװ~YK "<TxA_0TE_L_08#AVmm. _q Y7yCsN_KB-[:TAbop-#Qm+/|rްųimt3`!a1A9Ƿɹ\ X#~?!n ,G<8!$e)a)d2 C[Hf?trz RA+%A8+=o w> stream xڵUo0_HKGI+!&n͍8Zs9$|9>~ڋguB<GxN/(fՆ肐RaGOAR",UP 4)6į%X[ Mz|[]8(iH(5Vg|8-;v Ix4t?&/#AQy.oB׺n1Ce$1ՓVR=QVؗ597!/GO o4C/ jr[K |Ux)4~wAه1I cQ4JZJճͫ3G`?H5$\=ʭMu6PG/I#z/!p۩ug8hHOpP ;z+lC__uåmxj~!{"y{ [ t- i4 uD-Fx3'`|$TDYT&IB6ˇ/*N[ 47E6ZNR5v.!7Q X1}v1G2Д @OEv[Qաx:o |2Hʢq/r9=}/JTveWA7iqv!Ή;N)<+[J$Fz A8@]V[</{[7=D2µc%wD'Vs : z3L nKp{ufX .:{8 P+ endstream endobj 2704 0 obj << /Length 66 /Filter /FlateDecode >> stream x3PHW0Ppr w34U04г44TIS07R07301UIQ026ь 2jA]Cq endstream endobj 2709 0 obj << /Length 2213 /Filter /FlateDecode >> stream xڝXێ6}0 m2H "Xd Ķ#K.|VHYq'/YXâ Qgwcm:}6=TÞLߓ^Ee[pӠӆ )-c I&c/v^`{%cp;\@"!Nr^y"IVHW@杀N@NpS *O\^zgzq[Pt~3o ˇַ{/p1lzi]L7Yph+PnSĀF^,noOcSl="R&W#CLҽ?K;9c hgSH/?c2o7Mc/:˖/G+gھ+,U(>j ]ݛ皿fy2w^/BI)Im4g?==.Fb,m794/n𹄔"i/^EYkt%a$w;r!pz=(Ctχl~s Hx%,Yfe¯{`Gc_%E|9gv{f**-6iZBe{eĒcƒ9:B 1": |Ӏh_Q`1{Vnx2'lkxd~7J|@ QF.ԃk=YDGOeEBŜ 9oW5nS| tPDIHÛaYzB endstream endobj 2714 0 obj << /Length 1698 /Filter /FlateDecode >> stream xXK6ed$!%NJ.N콭}`,d{`kvשTrB@ݟ}~8?{Ƥ Y86O79'2PJ !AcˆSF(R&ǡ_o"1_M9w]t7#74l& p(mԭz}S*i䔬}[!%j36p6 mCW>sAr:I6CADc؆/:4>},#,Nq8&b,7ᚅ[inҾRk#ȰiZ~fihI'&8v_hkV ٠j3aѧ&Z_uj0ɺsӴhǨ[ts%/ [̳0׵LƔK{HG&M*tL8pq( }KORp3~1K>޵ݾE=8ƔYn%vʶ~vzXƯn0Y.jkٯb>eNe~KJV*? O dPS@SzI~Iش맭Vh|/o^XNbl/rͅi b-a]i4%Y>Ug۸4X55:Ҳ d>FuwD;Qa,N4yRcH`(NWD bUa_D_5x_(4bMyk<`Ug΅MA8041G]Yh,ypD^,}Hg" M74G0fO_ IEFL~]sV&xL$boy#`zvEiZrW`m ]ǻtjkKx͍; x;H7asJXϖ0ӼNÉ H=AGzy(͟2O* R(Jˬ[w9UzxEO?'4޸HCxIל<> stream xڝY[ ~_K)Jv&MflIft2F\]v/@'iLA p;ݟ|Xq!wQ;"{ݣ$1yd9@GWAxvv==ӸTR-gdTlÏ_/ӥn:"K2Pݫ|8I)4U8X JHG4٣٤| jnh*iiGGtHeԄ9>+&ZTTak=)XIC׻byܻrݠUd;T1gz;M@Bהuۻ#ɫէΖD謈Wã$m;,.E)$"Y̓=jN>Hz\ʀL{ҫH`T[ƶ_y䁨o/+2|t)y`  ::w`BAICq^+:wk=!B{o'o݀W&r`.rRNSzS߂ɧxl*<<.7S 0m@+HEK5˷$:T?0Iqj8 +`nH2H>" _:f 2b"$_?2TRIՑ 2B`Z-0L8a3J)Y>4t h 9?//V$}5XӹubQ߁%92Q"#k$84s2/OՑo렍1(̫l7E4wVTC DfUIߪK$i_T pxYC=qf/$r {x+ڵ0(g !69U}nBd.xe=_}wqû(Ł.[=Pd#%$ӯ xZR揑/IXJf2_ؓ5Bɬw,eTHVC0\RZIyRgiX]uUVQmt^~L]L>>&r4Y lVd*:p%\f> N/˅p#@ :xfJtPit Cؤ"W>F~>uv;ܑi[ oh=#Dx'y(C &fŇkSg@$Dʖ FXZ0y"':Rt۷[~eaosҚ>,MXʏ'eHfCo]vLt2wnf76oʧdO "& T@ٚdr$@d6zoIzIJ#7!dB@|~VWy`X wȮCNP+g,|3'l3X䓂4 eӻ.?d|} #Z6*7rY NoitpLݹidQ#A? #FsZA>=I9NG}X#`ͽ$Lxr "&Rmzd펓ZےkO.a,}k΍ Q @`Ž]֔>LWt8S} ,¥PJU936Ly3Si ګE9/4 R9i:j?5MXx~2.5_?YHD6+X]㫓npGoL V5܄1ZX+lt$\{Vd˪;<ӆi3V @;7c `_LUiW3Eל$@ b}ymjGey=|=EY^0-e w>:9[ޱpĦa2)y@KLPWåZG3V ). $[nܴ7=6Od~2!Kk%2X7#-R^jefUAZXnbů%x_[kf"ӲKtUt6h>jV Ak#9#ċXZ*IO{q$=Ko0P.]0]|KM觙f\b /G;"57°0Bz y!S]R'?lw(o0ъТ:JPY!%F~sۤFjj\,ε=[n3zP:jnfD#L28ˡ=(Š͌SF*@[LOI_5Ky &EbT1/WE1}:ZnX9$Ǧc͍m7Wy"=clN9K^̈O #މ?Û endstream endobj 2728 0 obj << /Length 2305 /Filter /FlateDecode >> stream xZ[o6~_al*oco)iSآ@tvXBRIICRʴ%<<\hڭW\z+FIF3])R4%Tƫb>"]uS^|NOWA3K7$~gs+4)b"xw횧>omв*&*ì%KLuoy7Nj;'1imk䩿F~o?{fwu6_Ύm~W-WvaQSYS7臼YlmVw,PpLD-BD-1l+•_Sއti[y>v"at!Jaf:A=ڗPi[1rUSqoەqE]\jQ4NEWeq17s97R,Rz9Qs91A_,3Vlo4jz;˻,{g@;6dƠX~t8ULQG3'9e^º՗aH2XṒ>b瘟8 BcWU:kI`=~` RɹCHxPK1ɲ(ɘy]EayЮ@z,:tpt4L~C̃A|8%J g5Ck?5509 ]7.\Mkm:a0 0F!Cd -KٓX6[X6 g#Sp>-kʔ;p3HlI2U*='+`LL_P&t"=uxLDI۷Pp9Ef؅ÅKDH7E6|ڶ1˝zvuz+ggg9Z%)Р Y?g!oHc}Dp) Ȃ$ћВL'| ƒy0lC# d%|Xila"T9!ɆMP~!jUfDRre^` X[/ pB4^҈k/1l8p^/+ۓaV&ҁ]tn}n/ !3B bt¢|KK֝,w8)em=b !KWvZt *p)W@2ܟ7AA@W򹅂.Y($$;1.0ey؇&m^j $bR!t.̦ &Jqdq KI{r,agOTj^2J3s/mIqD>B34Pﰥ&i -brɇ1H=FDdxK': ,\b*RB#UtdP}3؄=&iy4+gyzb8`(rT~7KfJ(M-+yَ~*kTd$z[&UNe7ƌeenA<};4wqCl`۔l4ʒM}+;p œۦ Lm3sD/d2*׈ږݦPo]憩Ц# ۭoz߁pdAqGvmG6G1J3Bc~,UWE޺}zmC0C*~xx~uOv)Oo endstream endobj 2613 0 obj << /Type /ObjStm /N 100 /First 976 /Length 1758 /Filter /FlateDecode >> stream xZMo7 бh%R%-AC[#YAo }Ԯxw<;.zjf(zHɔ(j(5cakj"\*&CdT]&!qY5i- 4UFUDZVjŘ#Z$bFl0ZWI*a\Zb 6\pm2UA8Ȗh_&ؾb,6`$s$L.4HVF6/  h5M%;lIrL#WJd"kfI6ܴO͖ hhɘ<S2 ~% ׀̆a#N\3PM* \A_%R R`9`WӪ&Gf:0$Ѷ"@"6 9Y +ds u/, Z P3yprjW%^k:7EjKԀIK1J $AÖNF8AI fC|֦+6U#9AmS3+;hI1+-f|I"Z#ڴ6.Z '["\d|v''njO3̿*o`br}nuNͫn~}X+|8cXl+ mj}syDէg/ilT.` >XcM,2}Mw7ϟ/Z,_/?.O˗=>X + (Om%{6<} rj[rߝyzu|olxN[l g^|r,Xc8.' ,&@q8vJaBw6]Wt#"ӈH`DD;DׂJπHB*cw:,ʃ&Ƿ2`0p9@ k->GX} tx0ʩH|8a#R= Mc a]Wj7GN^anBG-%2axB XsGxx:fݨK&vp'tr/ z?> a]W:'1|CmRJ،Pހ(?GQV ɧ_wY`%26bΎ-D= 䞱J;J@2ۮG@r/ccY{Q0EV^$f$cQ33> d?I$Adxk\+v#bRe'yvט@)R,oQ]e:PZ汥uRi;WWgp2yeQ}$Dyyh5%^2ۉ/" thGЍh#JȇN)h6L'c@P P}!r H%AAfl-X`φ]phOO}m1:pTP o [q!fŃgИPY)7;+>T1]T%FHHꂃx[Ⱦܷ!`!H(qĈS<X燻cM3e839vK5uFqZHv]ysV|bt06۝Ao 9/dWz]QG&7_ qH#t8R۵zoL.>>xD|ش[\G=AwDF>tDM7Ԟqv@aF8+䮠T/e EB4)g>ں9ckQ.ݷ׳S&AwGȤ-T Ѫ endstream endobj 2734 0 obj << /Length 3000 /Filter /FlateDecode >> stream xڽZm۸_aKm f*JC[4(͇ ]% w$RK{r}DQp晙gF]͟n޼يQRЂnnW4 jusX}yM !֌V|yr}.n3i˾i;w*l<_h߹yi~e=fnSlR1 DqQ7ԟqVPUѫ d6[wmjG be(釶vT{<9']6nх\㪜TBe\60BʨSo h'VX,JBS;#}+x)0LINMe[=亊)ڔ6R8ez7ٺbotg>x,MȂKں΂(3˂'дPDl_@32(w]szU}ؙ*9zC̣jnvv%sW5Ⱦak;&Çdݿ"El3hMX_ m N:_1N - *Q6#jM׸mB0+4i+Lc0a0:j=ZXG-rt#'xcB=(Y|i`EGX)w&%lm/!}`tNPՒ? 2x51l62 ?=l`M!γ:LcFDf$}3ۧFVuAGzcjeAd>xNdH$HV,$A0 T ~:y08u~J&Y /זQJ$ ޴&H8K6|M`|"@h]niM0=3*7X1uWZXmL m%- 쇶>bx$g:F<¯ggw= NI0ߛڛqOٕBE&_r(ǀY)Gp&rIŸZ{SH*wGQ/mpDΉ7d:0vR)Nxߌrm~B A>9aʩf:UN2f?1!S.$BM5 F$"[C= suv';4󓻶ӷ ?;a&j"$NOD0(v~]s)|suBO)IIARdaUKp|:#@jΖ$V9al M<=~. 2>qJ<7v2`=c@%5plkE9V]\jr!N ý0 kB2[P2`zXॢģVhA2x5Rˡc8^?Q!aי -k1(EfPp)B@2X)pMJu;M{S=ū.ud{6ߌJ z$R`m$6{svTy2Lh ҹr,qD7(_(lnߴf|ƧRcL4X9`ew=J@FЯ&(:j(X`By#!ܔ .gkR-Waƃˈ;Q:[ci/Nn_o*{aD;};{rcS=:dB˜ݰ|BRu} ˪pyLؐ}ٲiHj%1"MA/'ZW~I2Rai7:iؾ.+ E%2Me9XSCf}q^R' _=W4/VZh/hԮ_kG[۸{ǧ*p{Iq詐.Vj/Q&&$ey1etQ5xZ:Inĝ&ܩ Ї2N@#qޛwP|\e j{c{SOc9/>pdC׊ʼ9J$9],oHL)B4| KҞWfmCU߹j?}{avX+IDX\hr…h)dZa910uzMj~oH8|N+4bn|g...c?#Ème|>y@EPr]r C/rlaRXN"TRJO7 !2<݊|X'%.Yqv._]1P k.sQJ te1Կ@Lg'WBK c,1.S ǜidXH1O)+b͢cIѶ4{TAm{{Q/`7@+̞]Dď<!/N>Uxpc~;]7/@=H4 l zhfZ*Θ.ijD߮Lz γ%^La> stream xڽXݓ6BئCgJ:t)'Q9{wc'>;>I֮Jj'?x~KMg)O|5$ a49_Ny2Ӌ?pwK)'B4$pG) $2lqUtYc Er!Iy+^pKx%|9&東ke20tՙsYֿ@ y8+v9oVh-/.&_Ԧ=٩@Ř fi|U]6)5V6`4viƦ~ޫMEkUltm66h_$y =Mj>Vu=mqgFYdO%oFq0M qrׄ{)ԫQ~k0_ig=ҋ>uAX3Pgf^rOtj"/ȋbmj8M= (rO nC4]>T[CxLXFVEΔ  =h‰@`$l3m+`<;;iEkwd$#Y4`**c:o1~(gu e7GeV` XkvkCv.j UA: [єRCn[86 HC,;E9- RICUoٻjESj<2Wz'Ɉ#MG&Qs[ d2>ARCȟi%;k%07rԃ(Ct00cÈ%Ogܙ:e7D{[q ;+e!I|e|ۤ&HtXyGV5[ZH*K9jm@jrS ,ޢ)ó.zrd[ήO=}fHI:cX,Ď|&1T!&aGR/cz8wBʮϞs>v((arvBXYWE֣r );nןN00+Sms4GOюm7Hn/#v\D_}}΃[˺{y.e,C5K?s?/,80}8yi8u endstream endobj 2744 0 obj << /Length 1784 /Filter /FlateDecode >> stream xڭXo6 _qWԊeI؞`-0lm?]쳯0EQI9X=Շn/߇|)_nVqRnV;Ӭ}!C8~6OMW9M;LeMKO &^wei@{^@gk{p?]jTE"խj\*]}*W>LI~a]4+7Ygr"d[h64eq̉@[ !YTfO ,8?P3+Mpi @Ȁ] v$f ^+ܫXt[;G 9Fށbkc֍!% 0 9Q7uCu|Lt\[)x~K.;:SWt(g8ےE$3JQ_Ttcl׽ѻ̐fp; .>υy7$H"b3Pu-~;vkgU@qY!y\i݊+84nՄyMc Qǝv{ڽl2Lw+6IZXΝiq5;-{m FMih}Q&)SNARt,޵m+E!s9_ ݕLrЬme"523߯*r>Pi>E٣0*-Fy%PNāSJ߷64uVYg ݾryj^ψ[Ed*;'BY75`%lnL#9:t8a^+pk@hYeΎ98K"fdTൔē-uGi!,C~R. |hX*OFh,bS"PNMrr& ɚU)GK+BWjO~Nz⊂ʼnwa 7[.s,k\xtmv1fW_&Q,z_rr JM5_q9S?[nGZQ2sogP\/S-UnM#6<rq~JDLoO bs8l zP0%zm;֩vM`i JsI0y y5[ 1e;p vP9n.ko+>y{y9( l K3Ə+CI endstream endobj 2749 0 obj << /Length 2345 /Filter /FlateDecode >> stream x]~_3CR(E(!Akkm!w3ԗ;A$r8rg(9nxGe6J\jzce&db6"No>jQJhė],59+-;Qbk>Рo P >hi)LS,NLǎzˑv徯c)rot(=':UUɇ kU6$Ur.D9m*TGc5**.;"5GpӀp*#v2OY*ln7; 6&i*%i࠹"8;"^8>JoqiXuUfi u$?Db B I!1%FE\:$s`3>T-$ٔ`\}Pbi[2n}D ’huƅ39'Op.;'}Uo8Nr^Q8: ʨƋu.̇5_h m]SnG~7~NmٹKLd^L]_sO!c 9ysc-B@HtDo~E F:])a'Z V > ^9,l"G3=`v/Go-Bϼ_l1D;$RA sʙZ֕wd(:g"Y8\|@cR9( 14exjQS\άm% -3۲g;N; Ne ۆmY`Lw!J5Ԩ?fPEd(.m|Tmb2S+nc+ jx6mư +#8AqY.3IU x{a[:ӄ[DE(, !m?|uwŸqPni9u~yUMՍN]&Lp bt}.q @H2eWg;sPV iU $.f*ERvdz=η= /PeVXɡ`Lԙ#ᅳ'7a,$H1`^+ЍSϞ]:Jl5Ԭ+31V>h漢2PO! P'Fu> mZC}t"įJ&" 0sE:0,Wcݙ>I'P\/"6cDՆ6'ʪT6Uv7;ѡ:Uߒ \bhFX՘Hֽ`6*͠xiIo.s3-#C\絢$У@*ON0ҹQͣ vv`2= /aBwS|&@MA; L2aS3*R7Q&^Lks}>n:}y'@;g $'Xm`Jf,<7{F {{#ǾҙID+vf@uZBzz{,.a6X,_26:]DY#2V4g/S VsPо}m7 =cp/~Rbez0,~SOɡwfUmz|~-Wrgsu>xNW)@dpx;/㋳ 8wc6L47+?F52 / l|%嬚vKU؅\)|b!^+BMUKw( bA;Itm΋n0C+A,wGd[ԙ{ǝ#67h} 3;}CX"7~ `rpsQ"]0 dI+*S7M6Po^qiCũgo:!,sf: X |i0½:,ݗS'b]}ʣQ jWAewU.ayDL!361fKcJqZ]RXl >%ЯG9Ouûq3^ endstream endobj 2755 0 obj << /Length 2552 /Filter /FlateDecode >> stream xɎHUfm,s & A&ZPdlw2[S \Z^zRvhWݽzAɝDrww9sQ""cwwoPvz/8K?_Z80}ٔ]6]"Jyv^0Qsi+Ec HSF#ԫs;e#l`Uw%v1J(7uynV7[΍I'Ik-TRVmo-tGrw.s?%gZx+(C9kx GRT[_yue$2vBZXŞlLdH&Ԁfhi&k 5ܓIбI]Ƀ Q1`,Q:3 sy  \O?]DiZ8BGDu)Y1+7;+5{ӻ[4x:NrCɂ*䓷HxuSq9yzk oyz$UOƉ4K]kVC8<Lnڨ5ng8j7'B3T yt ʼnޟ\ gOZLLcSR7jlB,BUWEG @Kq $KHݵ.A Vk!q((b} CpshW-DL`% W21jygeK-veցC[w63mN,mS$m;ҍ@vT`2Vd$ǠC7h*J4-sL,RwSZhSq²[`_xoTέOhj@2j =TwluzCb V!#]HùyD%?zړM$+ *{W&*'bZ ]ؗ{@mڔ5dDDF Ie&0[Lb`(M{l"A;aۮ*iiT?2 v ZO2X*L2ꪥ6o2#ux*%]tCqV({lVE%r7 p%Hy{* &+'99y|9q hCJB,éH;Ū㐲fJ,?o!ݛ-&ө?FD L([V{B)Q J(!]ӱMeZH(˯FQPD;!mha82|wCQd 2LvvF$"k9 aP6$+Ȑ8L#DOܯ>U;uJ&0^9NQÈ+y,)C/(J;H,mri&B$v|*13QHSENQQM*z3sgGT<`$i33GY\xl!s(.$! rW~P4{SS8( 3( aRgVmK:VEcNTJ|#qBOOT:(l*j \\H|/RD{ :hpF1aR h ̥` PE¦vlY ufcCr+Lw^Ʉ񖖠ʴS=%BH""U=xxJvB-b ->A߿Зns"Դ[ бga՞ BS aH[ZcXg ZOlIhm4[Kni.V$3eN=3칱l5ɞE0LJ>_xaiX,BWa>#IIPujom\=@M^Z{O(;c5tYԀ{>S~Ϡ~!JlXa(?wʼn>sEe ~FBP6 ]JPo4QU=^9&M&mJz)5YE䏼}/WD7@EHꗡO JN%m3ީ;ՁEOFl-onGr4>Ҽފ󠂢gw4pn7?fI#d햤 O XLO'裚2қRIEGn_MOկ(z1i_~C.Heb&ll({NYhaJVRb$9z~3aha1{4+ɑs6?ɘxIv Eqf2>X R@eElEV@oʺZwG(j?8o(.zvaC a ue7p?~ g]y'>o!9 x__pz(gVN*5l9&Vz؁%hڪ{?l ( endstream endobj 2761 0 obj << /Length 2282 /Filter /FlateDecode >> stream xڽ]}'X+%JTޮErISRZ%v;7=}r8NWUz*K:nUU$-[EnR>OB,yT&L$ERlY&Gc&\qw=' W4uAW)Qdki#Pkmh+v9R̺v0Lx^P/=|ЄtjՁT"|HH;73=84cch,7pey" Qs: Op> gM}, dzO#-tť2@zq;EώH,BK?z'jguM*'Oя7s8ĖgeĐjMD}px_>G<ڈDтюRObd~Z#F`^2K*^/PɞɲtZxv0{Kr3hؓ{븒FYn;ĆoR H1z$S~G /̞nx#8cZ魶gķY3>'`I?W^'Ҫe"N2("RU'Rp^z eDz6"$;063#I}ˈ$~Oh S/xn8b\ʏW@pf.OFtcA6TGT{b1vAr%:_ݏ["mo;X*i=@4{>43A-gSE{hXf)9D-8G c.R Lo,C] UUk#d"QcB9@^.(&}!Sp`7^*RJcNc=Ry+Α`1 ywHv|K$ pw{䂿}-$ed xMH4O`M' PN11JseJ엾kF ~b4JX'<`$/JA᷒PB<`__J.c=Q<tC "r"6%YId*H xy CҶ%)ƹ֥&d~fJTҥpGp@Ezmc`b'cQ2~i.)!.3CieD ă3$! d,Qfn&7XcE4Bvn,EJųH=\:9LNTaȬdwT\z9:aS(P8qPZ?^ڸ/ϔ:m[b3uNyyP*YCogKp)#*/J:m#i\>EK _1z ( `~{gT*GSo6긮s yʖ^>EU~vp|c&7b@Osxp!o}矻Ŕm =C\/u4Ne"p݌3< lr3VyI0P-8765~|!we*DQbs,$]4-@Qŵ!QUzn[:?vw^Xn灌 оtFcMqO۬ZYpp0OMk,/e:Ofc_׆eY%5l>G'F•>^Ju$9U;1e|P9h_Wqn:"Z}BYXò{| l̙Ę@̯.:Q̋Wp廷E*6뻟~_>{sŹLXbÂGBlzLy[4;GZ#pfCj 'B`pfq$i ijWCi,tli$2[Cv!0b ! 5nXRPx(Ѓ>OZnqX._ڰ֋$U)PF⛴ƘRr"zv+2@?cWnd;@D# v6'ɛ{EЅ~?r-RWWU`uˈ"#Sꯃ ^f* u/o i endstream endobj 2766 0 obj << /Length 1221 /Filter /FlateDecode >> stream xWmsF_z8%}I[uq3/'C$1FJq߻p dioHGn~cV$(mZ/*<]?ź+ZF,EpH[?Y 6tE$[uʍjoV( ftAkYprY{F&ĆiyaL?h.vʪr6rCzo D%ٶÖ%"bagPoheM,NLqz>eV] gEAfФ1lsF8RE>#sȭ&qvk. Lu eȴUGU8-#2w#={XpD·aHIMbuGMVI۱r;VU78#g6=rfECfН"jnZ!"tw\.܁{A^kvJ_Zu_yWr1;HsP\IX鶅qL:I-)U% 6J?5ӬLSFz(sVIK:GKE9//oV[#CQ#Wغ~_/KՁ橯jꍭ@k#Qk}6"lItD؍:6hvF-eшoޕTf[BhliH` endstream endobj 2771 0 obj << /Length 1411 /Filter /FlateDecode >> stream x]o6=B&+Rۚۊa)Zm!0()Hdɑ ؃MyoZk˵~<~quܝSk"fEnL\?f~8# -sI ;!꜋`ܚF?l,UGJCVJVme)PIQƁlngiuR^)6oFBOQ*N%GqleV6f@DVy[ozEZNDA v}4$8u]qJ"Bj1=C{]q?c-ـ[/pA$m#<9rVQ`eע7~ Z$AϠa!;EG3 /ӣl"L5+$t`$щ'9tzu@JՈqk ґ>So', 7H4І?TEQ >RV 2x(-3/4R/_x1 O]<6Us >Qe6,< .\ T4BYM By\ڱ7ln`EȟK%ϊgUE].1+zsTCjZKc1"ee%)4S9^!U47B~~4j3*-4 sf.Zlz*[*/f8#m- stj:Ti` ZI 4 pɀ70LFm!UO鍁T-0Dv&,!uivLwфg\c{xRyɬ<זAuW!SѭvH.7ȶfxN;`%T9o}ԣ{L i !SuDYԏ|@Cши_O8 !A麗$bѓ4z ir ZIR)ZS _}|X龀_B t]g-=K1=0Ey٥k񋇺XVA,6`sUtǫ 7_ XSPϠHELU&Są<7eWR+8e2t@Z=*fi ] Nn+v_6aXFt)N"; V~@pM/|!:z w xI"I_ COw-.{{izR 10Z v endstream endobj 2775 0 obj << /Length 1194 /Filter /FlateDecode >> stream xX[o6~ϯ02y,9lK[[k蘈nCDNwnGW#&o'Iԍ- Fav~$0z?#y/mdűyAa|(ZN;p<"Z=FȠ)#C]% x4Y5dM9ɳNgDN!9MSzxY4L% 8$Ieksׂ(Ֆ_\yBwm{u݅5[VRZ;;}O׳Wf^MG  N2ܭu)h❏ATID7H^ ҆g}70*c2ЂU)C6~^Dq- Q BBUU0 <3۹J_ټLj)$)`V^['bUKYkWbǟ42QJY0Eӈ8+6{BwIdDdwmFbm3R0, %Sf_TR "#Z<6oauu;[2 4f\F2 kY5; oZ9  ж] ausg<:ezjՁڎ:2Hy E?{ YUFx\h|(B!A mmUfjP |"\{W#A-̝jk7ְm<EDwOGW[͂թj8w;ֿ],RGz~;j ;-8Mچ+p*cFѺiq%u'͕O-Vtj R_/Ժ4XNysä5|YtqnTtA~JeY<];׿4AHUuox֫I y/u)ԓHqU2~!S˥( xcfJ˯;ڙר~iHhq?:^day] endstream endobj 2779 0 obj << /Length 66 /Filter /FlateDecode >> stream x3PHW0Ppr w34U04г44TIS07R07301UIQ02Ќ 2jA]Cr2 endstream endobj 2784 0 obj << /Length 407 /Filter /FlateDecode >> stream x]RM0WHw 8ۄ֑c@{<쬗3ÁSwKI$gJC%\2ck }ݒ|,JU*T)M-r 'nY#4ftG1B {Ô^ ڻ|ǂ@aMhfE_kZ**dB6u Wi4@YSt#kJ: _gw+y:FE9T)?0ŕV!3z]3RVS Dh pYGVF}'L+W1[7[ '>*(y?vkfU1e}[UϞw}앷cnom. O "{4m #$u@{y endstream endobj 2789 0 obj << /Length 66 /Filter /FlateDecode >> stream x3PHW0Ppr w34U04г44TIS07R07301UIQ025Ќ 2jA]CqL endstream endobj 2795 0 obj << /Length 1686 /Filter /FlateDecode >> stream xڽXK6Q,zi"AR$=(*K$ov;!eiW.@˚fJepLF*>JM,/tD4KV,N~E\b,ƺkiζ/ƮG(A,# _lql ^Hp<\o4KDV$.72HPVfLW(WHԮbU"ig',Ⱥ߈1.̲;CCPho=׸lHD\"xGKK/\l5Z\(!HGZ/\B;?RTGE\ASH_Z H&>Y$)$"Yh ^]K ag+*4{E:3%O;[D-oooώ ϙJ*Y4 ~չDJ^,ߘYw6Ⱥ{HEw{_:JYrL"8UÚx |a9$`ߛ yFh2Ou/J;QL^06~59uΓ (#} -t`FT@*!%d(T7Cw]#5V thbpDl=մ" T.pqSCiO(q~.k:AUMˮ\BVޮ5Ү%ց(6-xwnaNu",ut=:W]A&zXcіv˦D'O% `rvÎu40rDܘp*#.GCudjveyJ#;&{Џ?]5ztS' \0Pelj9">]*4Gma_ѡs?d\Un X?Ayŭ94/ Jenjⶒ1t'¢;H~x.k5G;0d,@ߗ׳&h< #Obu> stream xڥY[o6~ϯ[ bě.};E{n tAǦm!8%K2-DIo3ߌn3+,iJ*R)zڬ~ =.rDD"WX3kUipg)qXJrΫkV:=K 2;Kn\wQ$ht9YG0?c1H x AO/Y=cr Ud~.m>2Tv4Cn)рݽY#sWR ݆sv#|4z4IfM m/&U)u Hy [ Fo6(^aG>oc[3IklA.`"cph,GM"55͆OUQD`:z)Kq0L!dx;6 vqS5xvz@'>5 !Y2ox>b"LMbLBF K7՛ĦI$EuccqoԹk㞚[ۨ ]Rρks*M jNdvD˿fͦhoUo4u$`Cƹ[0ar+YOMdZ[9dnt"X #꒤EqRA^vo)W}w[7}~|<Ϭ1ɛ]z2!R淧><ǮZK_a'˲\){U Wļv &VAc($t9vrUo ]:>@ GwG 89#Bm@c#|>vh!H}TtrEەZ: 9 p\gcEG7YT,S굣*9X K?yI2۷*?,PA<(|C-Glm6Hz"cqkhe ; f,^>ՍUdchMov+j)^8V.QQLԗ>Rnd8O;̀zfW)O:bB|:qHG2^V!2 pz!g ԅV?^A99d`LD@"U^aZjTzs)v$iޯV*&GeM8KExXWE_&%2bM8 Ӡ5v:gX¡k[C Mz klf|IgtW~hCm}_ g7pycTJlf@l )+7v|~;g)MH%t8dXkM'}H)O5m g]%5 TTre-mLzL\a#Q ) Ii2\EFG!2B4z؎򂑤8zKkwɡв7,nMi ³,Z_paq1}1.p`6ۿ՘ RAU8&+G_Kf`3y)N"MulbtJ)fc ^ aM_LHy@> Wh2[+g+BC#Evy6_T /ߦyŴ?F =uEL3ᡄK?_#Scd85Xr OC'FO5x=ls[}> [(eQ$n/a)_JFP+׎BWKKH_>X6Fw+XogGR*$;1l3?3r|?n*@eB8%Zn6'oLOïcD|~tð endstream endobj 2814 0 obj << /Length 1549 /Filter /FlateDecode >> stream xXɒ6WHMb㒓ũJRTDBcdq>"5Ќ\ $u7~~qsPex٭JE6cA!4 $IA7EIQkX b(Z`/kى?Ej"(cE-;բ@j*"+X#MHg]H]Z/]g!e6vgkQ4OeؠsDt"?HcFœ֍> fk\Є9vdoŲ,RLhf6ldVLu.*L/j߈G zloc+!Q^P B KaB/#oåe3ݍxa˪:ۥiAA/ז c8\DOsc`L8|O_iޚBW_ )$^frPVE, A[ ݯ>o`k`Mc}_3yۤlrpq(!SKOT0vstB̐bǴaoy̵BK7Wu-:KO8fleZ]pDY"zMMtjrz ;gE >N^VRh²hk(E,jD9r=Ku>٥wT6N}1O i$4\pw#nN{>8Tw Zg6),_Yqqvqy 1K_S[>5?9N"j'W;U/{fІq}ypzy~oT;'p77Swc$ endstream endobj 2820 0 obj << /Length 1492 /Filter /FlateDecode >> stream xڕXKs6WS" zsM'tXD| Hֿ ФLEŇo~q}&桷y)RcoYWvMDqAߪA/8R ˆ*պAEPH쭨WmT~2_VT~nWd[#VI\Tb(zZj٬X A3Lar²P\,z}0%4˧36KR:}@lٸDl&a]4Y{0$O}L8=)lNR ,hq|qD !f׫,已sMueS0r9NكeE,-7g[KV%'6dʦGR u<Ή(䦠)}^Z[ÔsCw8BQ^v][,P5.+%^kA-0D?rx P_TOm6 41[*VވӅA&J/DkRE2VLW -z .8wMςoW[i0["`i;G,΢~C YuX2daRĹwnQL:`jkXH$$x֑=Έ-*&Z?B_O@q b̗F*ɸv:(48G9 u*P롖5+3p~ pʑneB0M AȦK怇t vVѴ w4\]w06AZźfhN$|g8FS.S< 5tczmZ^UEU&LP 4 0u2)3nBcفU4\c2HƤoi ;c: endstream endobj 2826 0 obj << /Length 1963 /Filter /FlateDecode >> stream xڽYK6W(+F|鱇i-Z-ТAd[,m)K^ ОDQp -6hw^|#E_ܭX$Q"w6e Wl&ImK)e(`uؕC>TmT)ˇn-ґ]j1 Vː﹞4gUÊW,K1]X3yח˲џ-s dZYo$uFe2rWKQe"eU)T⻇W! faFPEe<Ւ= Tg!G30"xXq*i)ۮAQ +ݴ 5|^PTeA O5QDujP^8RyS衘GK0e6*o[q[z6T'GxvE瀲52M+ĠR*vMv\,N.߸&;i3 >gV+WÍ[Mۍ(S'O/;g>Ǻx̙\e^Jx0L#$Ba*Vۼ_Lj8vQBĐ*0~26OS5E ʀ@YFJS.߶j@罒T?y`Xgiui}%[5A'ZB? `{sYl :kT<]W0FeZta2cK vFgE2XҤƘ8+<|iH "Wl X nΤJ`JXH'j1x\G41}#Yuݢ1+Ճ/Ar.@h-50Ԥ4Ò ,3iz8@'v}Rc f S'GO:MVDIdd\R:ߍ|1Xx!X361Sڴ*R n qb_Sxģ%E{p ucI_fnY'sGQׇ@JуQ/VtD?xK2%hs؁`z8'Ǭ%,xy?~}Lir0< P P^aכQTِ',IX-0TDh-5HZjBѣz$@ 6dnʄ|wLQSh=ЀMZױa2$vc׌\mY#gUm9tIoh/r4E=I}U׮F^LCQ!Vcm/, A55-L~g0iC5ixi77`| {[X*U ؑXpvct6a<)m>qig?1( ><6ǘ؍ T>5@jaB25.o y9>]ƋcNbZT l#9.@ &ۚ^K HfUlιa0A}]/JgYlKh6c>SOG[:y 1ƐPm,nu^ƮǠh@*{AXO 10kON7L%Of(%.) -D~N$/91'ϻ|= #}}J&_$yz)@zvan˼pE0AogN4lNЮ93Xд^vĜ\}]^_AwiB|w_km endstream endobj 2832 0 obj << /Length 1511 /Filter /FlateDecode >> stream xXK6-2bDz4 K@ =h%zB IN!g([^nSO!7O)Y=ǻwx 6U!VERDfM#Yk]B[~Hť|ӄY[ݩn>[L*)$mz5ԓZiFWqyI6&M9y?.;:E&sԷ("8ة{\8%T[;hyyR+Vazߵa8 yH0%b8Y%n|GUXJ="uGwo =A9E²oMי5p}HyNŘá;y}cA7V׾iG .2x)<11X\ygA)t &2d,KXMym[N&ՒiWu3a\ qB \aZŪӭ`Fo[=f2 ZPBgXE#6"`$x8 j$VE4 *E)ŌD_mx@ݷq?az,aipw+ ! mC Eg.x8} Wip,ЗiQњ)tz.5c.!<\0w%+Dq;ظ1,Jv?YgSS + jP2ם;h+PUkh5އ i -JʒUr.hw4D &eV$ɴ.vp za;H+v5ȝQ}w}'9C@,'X,8܈2 1d¯{ KE$]Sjg9'0m)'XL RAW-i@BFli+Hmo4e(g1ye5q8yM8Wj_JXT@ό>,sً$X3ȶgB1(#bIoA`S&if)}!hmS>(c:a.3A}L=ȫ$gпLRгʫvV7ݱUqu6 p $pex\HVTe5y9},;{LB0Gm2=cr N2+ֲR".SCmxQؖڔ`G*$9? \b}֞_&*RzKCϑ,*?L6;=) ӫdԽыF(cG=v6{Ǟ} AtOic쎰m|O~a9}Ňt7ghACTL;0O+ +h%Hk.d/i:=çw_':!rIgo|CM endstream endobj 2838 0 obj << /Length 2157 /Filter /FlateDecode >> stream xڽYK6ϯ-2`)K6l &C!ڦkK$קERSӽ;^Y$U_=;e+;z[% hB$9 TR5'< F $O^ѥziȨ W7)P/fSOUߛᎪ9rڕtu](Cx%*xCnu:nI;Ɋ,I2' 9tO:STfO!Ǣq1g=h1Lnfn/m*Nɞ_[dhcm X"bg[u:X`$|LttaȔ%L1){MN΍̝vVhBАTiH*H{sA ĊdH{2= JYpZ* YfJ8D 1%¸~\_xDs՚qB ~~+9W >U{,~&U|tמc+iR^BTyeA1 .!t# Pu^t E#fП !ئ94\ slFgqy;+4M$퉋SO$n> S)?8fSv,rdЇhwwO}ʖrqtd'*z"L>Ɠ,bWGH4^\UJk0IX Zù>ΨYJc=8&Xtg }OиqFxdb&Lv)LS zH.(!ml W˚_ZhW}+!r)K2N=y ?Hݚpc"A(1Prs0^PlVϩGiS£jzE?PDKzt$85X ~{t2/ȫ |ܸ%d˱Ln_/3IQP KH>R buKgv"Rf0v6vI&v|Ld_!aΪ-[iէ0L2h*1<Ŭr9PKe"l'p1I *L{2%`?X ^mºꂃ>“kR7aңrc4]q^\SDlV!sc&"_dٴlDUȝlI%)Uٲ%Es&BV (٦W`Emr!c?sL^j!vEyI \rIcv%fUUXFb]뚥A`8Y3֖)_EC|D3 pwM8;1N@-E'n^_ Khy(`近C>yT M@3@ߒ_,VLBdct*<>=z\a;kb\$l[җ4}oTC+o_O@ g!(OMG`u-p{} endstream endobj 2845 0 obj << /Length 1891 /Filter /FlateDecode >> stream xڭXKFeaU>Į8KR9hvE@Ȼ[Ak'awӭduJV?]zAH\'&zK`/PmPq#Tl4k2e8Q kC~N\63;C`[z%~G)gNc ,<%F2FEþq+XyPrDw_5}_b$0!q uQ1zy,tTYmc ho݁Tuq^`XŒZ`,8ש'OЍݑN~gkޛUX+I *җ51ϻU>ET NV{t#3.VoYD1H`cSRi,&#ج*JeOLL/OC6l~_ I49;`dעjWӲ@v誢Egi,HB:qmDdtlTFFNe+:NѻE#,]D]5 5K؍2 =5/TP[1Ua%eX9#% Ә, yI^ut*@E7PCHY.e:ʽl<~ϴwUé{d eb1-Y+&Zbfh2 _sD%<(J.*TMZĹ1TZmꩪcu{]W-$6Nآ_p1cOA4gvF;=Esw*lOtvY53}{Jt#t׶w)f /%@N:)NQms af.IO{.@T:)S.5pHWl[U1eMP2Zݒz)Ԗj,Yb/C]-"Y:U/!p&n]HC.*W dH$q .:$Π7O򹪋cWvšƝYpxzˎR NHcϊl# !)n0eCmqp\Y;I~ gi\~ ,La:B@9{촇µֹ#bȨqj Q|⩾[ڰ= ѭGHm3,:1cւQ ;&v㻗!-+'Llp"Jg\ UEx߸C f>Dm'pf{b-K̛>dEu>*g>xZ܊^XX7\tqQxbC-wɑ_ 0j};)zb[4f%AgO }훭}cZaIAx9 ܳK)sV_,Bhܺ?gjo-F{+>m/M ZBU]@B1x~%HŭT{2Jt>mr3/U>7DC Kx}/( endstream endobj 2731 0 obj << /Type /ObjStm /N 100 /First 975 /Length 1841 /Filter /FlateDecode >> stream xڽYMo7W\rUi@@[Q7א&JrLi-WJqfCr6ڠ9EEz+BP6erdn# V)H^%bW/AeΊS9'BEJ(GH(ًD`DcL[aX僢!me,vIL /yIdT0BDFb N5dNUKռ|^eob2j|&ey3lsoN__ԩV -eC^Ӓʊu':{X F +ůHlŵƧwWl;pœRwcΦ<-55"55''d0AgQ4&73P-9>R9iט[\~^ .0XWj+8Igʊ[q=DF@]~vuNسlQ5'돣Y;}?Ysy~JA9Nihs&/=d ϓߡw\=QOV5?0d}"ڪ5Ji[Ĭ)2b枌V0td7v':ȩe{gպ_Q,ñ(onG`SGKTBmq:t$BE_ADK’h"y6:)>;xvWaJi qIۛWǦ^Lt{>tuN!M/i7V5WwW͓%FGoQK`,Y9Oܣvy눞G=#q澉3ɫYb~Z!"; fm3NS[+[ \)bmrBy76D:y;-[p3 %v2eAn3[N t)^ i*39Ļqg=&=y}nm{5k.\G(rYm  LGzjlB@zK:xwb5G\ZI.ֳACACM^ e=Kw؉Zq`4eWf,oq7TY|$WFXg 2y!x-|B_jݣjf1I!.5{dm鵒\:Tм[cA_| vF pࠀm_z_k}UJV>"݊NNu8 a Awѫ..-U}5tȖNE/<݊Sakdے){7O{=N8@qJ.vv*/Y\ endstream endobj 2852 0 obj << /Length 871 /Filter /FlateDecode >> stream xW[o0~ϯmiZn4MZMN 8,g6@I[iysOՀan5;-,-m|[A`Vm~{rpgnn~0_PaݰyX(@η(C9$ `aԂ< b?Vί,,s,(-S3Ы+\p{FKL7*q<~^%'&FIhAkKv)qd,dLbcs6#ޝLDF(kCLH=cb<> stream xڭVMo0WF 56Vڭz֮"Nq vCBm>vso损aw']9pp.Zk{> xė‡V[V w菑y_K']"L")f,4߯_:w2莛oDZ=ӷ/oXrLh,R0҂2l Iʩv]8z @T%|# `^OoPq.ot}*YC8L< p8N10`*yM&ꑉW9W>A#~(sun/D?BO ͍TbbX]j}gd<`>3| &DEn&LZBy2X}mt:m{)zy4sDVo`NMvG%aTrQ w c}bO/H$+!p)/^uwreZS]ni ?e)@p$>@Y@Ԏ j endstream endobj 2860 0 obj << /Length 1242 /Filter /FlateDecode >> stream xڭWKo6Wv1"\` lMuX,Np(IŒ8oǓI<yukz*Jͽ&}AW*kXRډpoр#h]#L.r`Y[H){㦬 թ>~(|vW caH@ǘa~Ld9'Cp׬{"*rҐRiI.fٷQ9;'PʺZ'v/geׅӕ\<4-˷$ۃ-=uJSQ* X ]79Q!~͘lT1*e8/eKȶPwnR.kP<<LQ7P|CzTU0.[5|u0T2wCF㷱1)h qe[ZSvmktJѕgLyn[H5~gX`Əzr&xw4[#ߒsҢ#982^H,iTY ;Ex`Z&9+q++ƺܷ`;6ē{ H L*o$۹u~uFi}7J9X>?xڥ vtPQ t Jd/#^.Az8˩LZ?y4IݍICwrC_5q:7},pBzQ{M_瀷F>QEol%U0VzO ãVxq+tFNߐ*~u>{:T{)dC:% _P\ endstream endobj 2865 0 obj << /Length 591 /Filter /FlateDecode >> stream xڭVK0W9mMTjRJTMxvd3g|3@p}ug;   ΄n~Žsne7!0\;"\. dƧq?B ;?b\N2hZpZ-_VF]k[>{N#_ia |S 7-:K[3P.IkІeBH߿Ɖ {mTe7Zl9?gձ۸HV&2OqJB4w kHYϳo/|lA9S *KɼML ꄑB2W "HјC>`UK/[ #*g6qCIדՀ+E4\uq>o“"zen:Xk4IQB g|n#Sf^90b]vCRݯ^\Qil'VL D:ia I +2=Z 'g.PFljl~PQ{pG,r"ɹ_\}`؂ endstream endobj 2869 0 obj << /Length 1475 /Filter /FlateDecode >> stream xڝXK60r" h-P!5=mEAwCj%l{p8of>'7_wwox aMd,ͮ}> #4v'I;""-,bUgwA߂80/^9߻?y<%9KLզ$DX"a8[Oy"}f@e!##Fޓc>,Tdk8XhklEI(9 uP-zrO5Z;`hasp8ъ VEsh<,Sk YN;_>f]}/?ROŌٞRV.:}{b]+a'ؚD9 %ps_TnNʱH{ 5Q"?L񅜮@x6jz tRb/Q+Cݘkh_\~fgnhJaQL &XMPM,A)Z|ԏ[rrx9Ugʎ|9Te\y5E] n}pӈ\ } +[V2>/ ' zѶl2!?WJw\mTWTVf a;ʹoT8Wr!ikz+h¹4|+%ͪQ6ty- Eŋk ׺, .i4欶)W c7mriK^ 6o)N>j 'afxEu|w0Vr:eZ4mH$bvFeװuIZxrhR&p'W\sY=bTk&Yv[+R;דp'Q3d<-!ABCԾ V|'N_d9OW ,y[qqӹ:${H6-"u" LX9&OR$sj l|nE 1Yh<9zNJ.t:Ӂs $np)6_!y t<4raYaԞ:aw EnPh`Yd|}(C[cVj#ztp-QI Nl4tT쵼FT]vֻ'TJ;4d*,#PģE'J^:qgD9eQMjՀt">\1 =ޖ,Z`!nEl_?/Gǖf19f%v%L1Q {y`H=d}?=X>Fd5$Jgj~ T]Uol IkMN\Qh`}nΫ'u4>h(ZYx8d$;`xM0ZCV 0,gOTƟvݿw endstream endobj 2876 0 obj << /Length 669 /Filter /FlateDecode >> stream xuTn0 W(- iC/[Ӄb+ yKr)ғ("ߣĒ6aɗpw:V%)DR2S "WӷGRyAy)L2Z ƙ!ʹuM#:^&ƚk|d[Y.Vz:W.YAyΐŖ) BJEr9YQ2ᕱ5C.za{Fr0 1z6/NPqZi-BYWTp *A)kW?`Uo) Fu_W,BD j #-\`jGUⳊ!eFobژkb =3CaRISϧ_{8 endstream endobj 2883 0 obj << /Length 2153 /Filter /FlateDecode >> stream xZ[6~_<K(M@E/Xd_ /P I ٦=jdiVd{IɒdbQ$E~~h:컫,>6b3FIJS6[lf*)*l n[]CyJ%F۞u5$XwCڼ*qL[]:k++* V^o"$#1TCJKuESaiNHf`$ZQJ"hn'Eh &ݤ2U!e77 u;4|kouSLTҝoḊBq?>xB`ɣLzKjxԭg\>bxȲtR/#)>|&̍"a#QΦwYەKd(w^!DDMTqGWNY nt𒪠5 Sr+Fzk,tl׼zH\NaLUJgM^8YQ83::_endeq# fo&],vaٻ}a_JxKi-] ItTEJd?$f6N~"  APeMI2bG`OaKS> =V=bzuZ3rk֪+ ̴c[F۷JpٗZo4lnv޺6xg+D7w!6|lcZaЃ\U]V?˾iywdeO*EuD$ ]|]z%@bSPs5LO鈤"J"+t7^\ &Yb0qq0!pY{*ﰔwקٴP[j7|HStߚX |yƶLOBc$t׵nx!NH Y*qQmKI+t4Sa !)xmz΂.nM^#2T1+. 5Sq&K @=/pFo:ߢS4kOOAnʤ+8#Eur_0|wQ K:MD(M_y DQvvC@XT7l6\k_Zo}b *nhK^>Y5~lr 48KkpIcsUߞ]?iNB[5 6AcD{iN2wQ{*ϲ`S?$?]$P(CC;qO:6~nHYi@rKᬿvoѷ~"ر>V/޼h~ s!]~)Ę lŶ}-7 endstream endobj 2890 0 obj << /Length 1582 /Filter /FlateDecode >> stream xWr8+SL`!䘩,U- t$qӍ)Rb` z#n#~͵БnQ&':EbO7]q͵s<֊L_ZVO#J(s(yJ(1^䄺*ޟ;~Ly]{0>]y[~O 5nT'/m*TzнlWn aө7P)i|^r'*$>l{׏3|=x7۾ҖF&㡛JdJ$xzLnpo< T峨<Ի-k_ z諩1Le?$+O ?aŨ<ӁqI&atkI\"c"T241oA[h}RL&8VR| YPo7W_@y$") c1#B )/8y4RӂIJ=?< TdbxWs&{|Gȳa~l 4a/u[nOpRE/kwewu4-@-[$o͡k$ٞ6@#/h 4t}yja+ ,kv_*Pi=9t::pGJL B/C4o+82XPtʓؽALt^%_ND?8bΆ*Wf0e)Q裒gG=@˷Hf#> stream xXKo6Wd /ZnE oIZ6+K$'rWzFh{hEO[F$R:[\6K"E"!g~A`@I!tn f8Wdl;o 1oa90QOƱ H4jcawP jIsTj8H'59t8W=tvMlxW@d5hy|IE4m3z80ajs燺O;M)t{\7f[L+U)Tů`mMT}i3!r(g]LGiݳUV%|2RDfn#//8xvʪ^%˛gj[Ս|A1w5I"3]GaziE;qѽVPCE/ >*/Vg:Lr{LMRhrݝe1m\5ݭ[W >r9m0 ^]>kTaq/j endstream endobj 2902 0 obj << /Length 2818 /Filter /FlateDecode >> stream xڭZms_ɗҙ3Bmsidi禩s"m#IX"eHe!\.ϳ/.ɒ/~}\'%7Yܹ9Kj '^l(T"NMH&zbL#50.Cѯ3Z>Arl˜Ā3{Lw:o+ :,/]} fהbϲyfOLbhQkҕXQ0cL+Faꌂym{{uP̌~U5m'+s>3A4[I Sq~˸Zջm. ,G31 ~j xex)1a*aN5F8W^#P k~7 ضCcV61f\ȉR1VB=GScPc |r+Eg,G%[r_M.dWq RZ)$TJsm Sdxj[L~OYeӈPMnCw:j ;ƒa9NHWz@\ ~>P+Fs=8K!p"nNrw}8#Hf ƹAFLyGb$ x7[!4:JpG`E~9GrG*_͇ /ࢯ]15/ rݝx|t8L̰ 6G HBe P*iI b#P"0@cˮ 1Cc8Ujar8KI EC2wǕcFo[ ;Prynץ'IfǷϝfǶ.i)Y1֌D1:?C"_ BpQ QAE!QNUSg;xt>/^$r ֐HjxR|V}XE!eMjnDA$gѤ/ endstream endobj 2911 0 obj << /Length 1788 /Filter /FlateDecode >> stream xڵXm6 ~ղn^70Xv8%α۹"z\$2-QÇe:svjy/K8D^,P9˵m)g \W,*6oBd7 ֆW䬻2Cݬ԰q TR;S)ҪFo=2dM0=$ۣp}uJzG#'tsg4W#2]U4LEuCtb2A nRDO}7Z43 (nizyAU*UIu:L ^P /nblm 4>{ 0E(T|P$?t"DMMcu2EA--7[HaL7I?H1LX$ @ύxH7n1_־$F RYco [0Cޤb ??Ӹp: VO^s%:譩,!`Gд)~*~mK}pGG뢶% $EuQ(@__ (yO^LsÓte<z_kXXun1:;]Cc{Ў@[$XϞ sO' ǖX5Z4(4)/(Ng憻mPT\Ҝ[%5vf\4b] ڦW3c4<}ء,(_iL%TB&(.VT⽩w?""m,VJBtx :Q[TGC^{ua!JwyfaC`W, sE RꐶO/C ~k2G_g>r {x -Es@Jg-`B-E\gaDf3 *n6-0wf13/ M| fU! vO)/ؔŞg $8X˲(((c݂^epD2jՖ&ܢH6^raij!^`V8hܪ'k݊/Q3$HV5fp%eZy *%]*,|4gPddam-(vG~N./쭑2ײJP—}/vؖoBD_dXRqW ITd}ǼSb_g'' >8ͬ*5UD uHk裈 k`sI{Yft@s<%?75R e[1Ȟ {r$;ۀJ%3 Yj̢yiq79NtCRFﳷ (tB=zlk=q|RxRY97fXXIiƕ p҇8Ȳm3&ѡ4WOm>/;;:}YqvA-=yT)U8&.3zQSQ\ }li>NjNov.P3!v'D0:~? lϻ~q<}7oYHݜoϞ˗/̰k獇Qt1ߒwkی是pdYO{ endstream endobj 2923 0 obj << /Length 1727 /Filter /FlateDecode >> stream xڭXYo6~m`3Dpڇh ") YJ IkPZPq.;k;G.~<r儞qe|u/YqG,,T1-VSC^ 6y MYC+=BIu]癦դVuj!6q,75'fErUXwc7P=B bT]֪hsڙ-|5;˿qZNt@(}7 4IWesB;rMkUIlPYn{0['-B;w(`v,lro?x||`+y: 0-CԹX~H*t2pF+R1;VUVv[mAB/莝C j5p-,Yc EB}q# X.t HwuȊ3MUv#Egp[*#Bkgu9DbJXv_V6RYk@X |muBa'ik0 u[*3Roi6!xԳb+[3_)SoOăFYn.$]YVt/1m$N; N%-JLmt|0 4Rbا-eZhA:fN9c唼W-be$?Dj5OǦc>01*:pLr: I33"Y35Sc7VwMuݘ{O1=<)~~.i|:(p o䧑҃_Lr!冉LMzRӽ H#I B޸?c rwf*q0Q5 ʖ A _P}*EAFCpVZ@#:,me7Tp z*<6U &]qGkO,yх#9Q(~): ޘ>X fuŇ>d8uB2=CaA4ŵ+PMm~gl4TLx?@k?w-ymʼ`*e|k}N8̚ÏfZl*<S= endstream endobj 2929 0 obj << /Length 1633 /Filter /FlateDecode >> stream xYK6Qn#F|Hr(Ih/%Ae[,.$99^ڻ.4,& jn,~yu ")b]HIN.VŻ^e9dKG}3YYBW}veSn$MjuF15otH)xZUn=3c> i`C(KM@Fk}8fjJ;&Y KED %P T]ȷwxnu{(6E Z9-sZnsS3 I*u;z;Y"c#Uv~_:oI4#Am ]))Ҕy>Q>PWpW>/;+씞 I qG4SuWU N&vQQ碂9V౿f.B =2T4i/.PI:O(i{LQТ&<25 (rF kg0|-wcԅd.o`g\>/';Z(GO!PTԟNtJN켆ٮ_ksvmzkY|Bol&!>hh*; D(.d>)c4d0_TJ $0{aBQW#C3{{>61&1kzH"H1 9,j_vA;xꂞQ21acfrN?- FY&zp0V[6.ZZB&g s7i: #x ]kªvs!BP "<&AyųB;ImLczSA+f# >(_l 8;h.?}xKzR@׫avl endstream endobj 2935 0 obj << /Length 66 /Filter /FlateDecode >> stream x3PHW0Ppr w34U04г44TIS07R07301UIQ027Ҍ 2jA]Cq endstream endobj 2939 0 obj << /Length 1544 /Filter /FlateDecode >> stream xڝXKs6 WQ;e#Ǹi/=؝Vv$ (d˱ۋ@?|7 ߏ7~Uʍ,Mn2Id&67sruW;Dכ?hfY 7;]\hqsgI0 a(<, R(FpVbRh4KE1)lFبTRmeD`c54N BΟ? dCewߢdK=%|MJmR,RmkIde(c\vRNfx_]}3$6;1O+1Iٴ݊ĒDߑJqtQ$4^QSz~W~d0=@y sWOnRpxxh:cHe86hTT/J50_D's?AsB3S5# pgB?|0I\_;Hkeha)E6 +.WeG49[cd= 0G2Σ{"K*oSمxDIqwWVsv75'݇NK8mfyg:keʊ,ڀάZEΨ몾p[{YPĈUl'2Nƻ4 YBׁ+nlGjAcq9cV۝_PvI)Zq2K#&"p2`ac`Ǘi7Ւ szҼlAfXnЕ4p=fQ*LlW%iY(?aa8w]5GK8^ e A6i}hM@ "i:[Q}-Fq)muvS38L07q6AfmE/.`Τ>W}@4D?BNutYc,1 ɛ` :)CmncH_zfq5JQ9+r@Zc8R?+62߻-ugB/1F^JLf.:bɺvbrϺ g?R^ijo.KKA)?<`&k(#{Ă*K(d: x IB~Y΀=O6=g9P,6X#OrCBt[XmL*TӮZ4*Tyx;U,ϟ\͵uN:#}\ WZ>1ȷlǩaO$zɝooT> stream xڕXKs6WVj&D Ҽ&N-B'wXPBb~0_W|ۛZ 6|#VU.W9/OZ}dӖ98,W/o+.S)3!$;6^h~4g"X$LЮDQиD{mܮ$M3,j PmC+uU}u6Y +dZB0dzeƸf B>:Cvw8C¼CBDw^YWMl[S`Tl}ZU²b:`)&jiKA <>IHP@H.)rpDy$Ԇy*l HB|%~ HOS,GPC+bXuϞѢv8>9]c}4'78߭cgY;C ts";3tXvG.5?Y͝~SSS;i} \W X``0s{m#JH}h.[y.\̋"hLm(]/M? jApĕ+^vn}C y(8n@Uҋ}}3YmPR\  Ds :ޕCp"Db3t-"oe[cg[8b>ɢ1csn23`0P)!xqarbCw$$mt| a-) n& [F4PטRXk,Q0=: P U\[RՐ:Vq gf-r)}`P쓃JP=.ťsŶ7Mfq+PN`$˫ zEP!]3h<ݢ]' s1U3=cp- 2CNz7cݖ=D&?T 쩢O+IqrZʾމ(O'\!iZZqZoct?q82Yq}33B9cps9s(ׁ-RFqVjw<9juSnOCγCO;$\aǵQ$j̹!i螊sJ5m2Two=z"J|GkqFu@ݢ%J_gC!G܆f rd—$h*WŸv9ٿ endstream endobj 2953 0 obj << /Length 2204 /Filter /FlateDecode >> stream xڍYK۸Wr,؛䒭drHes$HM ߧ e6AtO&OO>||SV%<6ZltZTqKuMeYpŶ;br4|2=Ui kcoZ󑊳S$~|C Ffn:_z@"!kun䒕9r*['f9Z9S m 34ti ,-Yߵ7P&R >rb[(ˁH.R.pY9V.6Ucaq3 yO+'M~n]BAfLpDm'sǧhkƋ޶S!Hzdt2Jn%i$d_{">H\W3:R8 et0ے)e\'>YpqQP_okw:#ōhÏa4W@_j > \Sksr 3Zv9=ict1վ1,fN(73Mr)9lSԝ K1dQ@CU d&\Ah\(`r>m/A+q.~&h63_MQ69vZ+u((XU %/hz#Âz\[v416PZЬfU[ߝ{_G!T/G-oی#7Obez-zwÌB4~H[hwW8TQ{ݜ b q\ iA`G.)X#ݻ!=;/߸vvgg=W wZpἉ'S[!,8F@B#L-Jj=Q2iVvx-ĜYKL{Y#C`z yg]gLN>6C`0#"Yiw)6૝[ H$>N}/{4ڭb1H{(VawSS[֧JNG!ZUTyΆRÆcy];,z>j\P1f+K=P\zs=ywVGxt4^P"E(> stream xڭXK6Q"FS@$A"R@۴ͮ,zd?3ly}bRp8ofY0{fy]@,E8[ngJT Nf'U:kUG; S-B% :Ee0T[<2˹̼[~Ea֖~Ş|zv=COeF`P$+%HOdz_!rCq E/^^6<.zA~/HuSEZkCmgnä74|e*qO0Y8($has&3zVZ7fFMCԅ-ѻÝqa)pŅ Ŕ2ME =э%Hd>?0cnl;6cuY4mݭIQ!1Um?CҒ_t<]IQ:ORxY c7D{O "B92X=}ÑRch|"#E^S w$2"b{Ǯ/SwY.|6AzEm޶)e!ܽ>B}38TtCsKڬtcT;p0tIA5M_>Se5qmV";J # 쩯{laSBfA|0jgEK>oڍdXw\`Cl/,D.w6v2XS[L]ĸiSaf¿XuW%.)lCt%]*afLNLHII#ş.v8,(䮠*½V$#-,*Lw2"Y:&2[Jd6XX0^R;>\r4'ts\ n=. endstream endobj 2849 0 obj << /Type /ObjStm /N 100 /First 976 /Length 1851 /Filter /FlateDecode >> stream xYmo5~^g!>ٙy @nXA2,Wp '`ܝ/ܽߧxqt}NwҤ{1}=_M!=n;wnNk| BmWjyI)B2;R{%AAPAw6Z [)GS %ۥ9ڼ^=^#iS#5n&&0ey{H,F>)zA>oh-!  [Ԛ?zzlf›:(t=Eg*π5 sҽ|wMgoJx}}}qNma]AURQp>@25tWW3]xizvI<ǦZg\CPN)rp*OIJI=$B{" ջ$sͺHuK*Csז[X䮲2܈Fgсl:x{uCR!DN!ҀYCC_+5lV!KO\S`/u^;u9ԝq ƛ!̺.GÄmp1쭩?HÈTcK,cpuZv _"Ku/a͗l*qB_bFk3 ”zVevG^zg# # Lso`XI7/Ȍ6&-6/Z (ODYno35轩) ~aY\YzOsY=k^v?v>Ӯz_n5Vk쪛/o7P (%J.{ C}ps1;N$OH>\%; ? 8z<%aF(lPF@ۋ$P:HZ! {$q<"qb`ov`Au#LiQطR9ADB)CCz8E?`!6SZ)bXGL WAv9(VaD߻[ol+9Έ9/!ȣF|>%{+u" D "X=N_ .l. \nwS%B5 E~Z,ho'r 9=DYczf΢p/^7 9h\cE1*UӶxF5mmfjU4HkE9F\> stream xXK6Q֌HQ[[$A$LBl_7(\,>Fo^WUz}+WVMEz$i=jZp}| Ь7" |{ןo^;2LE ԰IR7 +Y7^~,3z ,Zo8q𶫪:&IVA</AlpYC.V_io8d4sqR^u~O_7Q1 1W$LA׬A~"a"<^zSɔ8M2UJ [1XbaߤiCyАp*ō['t WmsYnٸo`HH ZQD(.K" ƠCi(iWZNN`S~+rwJUq̮)j>M] .vMjtTxF~ E"&K(Ua%n"0lNw j< czHd.:إVZq43bC(xşGy}N]ă]Cz )3&h)~l)A>荄&G XHSQxVu]c`#/&Argع)qXS)ZBBiK&_NF-F!y.ϥ3tL$t3UTZfgO{9F@qH zSℊ ^pt^n% 6ݗNB)[V nz=P䧓 B929BG[?@^aT0ө{.^,TQ1K/UW5f}5Ju8C/N&`uˉp Ƅpj깋K~Y*U[F9 S|2w]D8u3rTiTP|/ DTiep=Mݴ$7 ?)QƷa8@#v|{9n:f=mQ2p-\?[#"_jtȠwgD%.lXj3CQ]PjGӵ` 3 |WZOa4ewNgN(,q0ox#Cz z@B:u49Btoay} V~r (tӔ=0,mb1"Iwn,6UKA>>@tJzO rn߲ uG8I{_@Gn%EE4M i%SQ F m@je*I{=#W]m% } c$|0o)e'SdO͢C;3^؜ .ШҜ%p襖#kkPXuprj76Y{Y#?_oG4׮sX8awJ"0ovm~Y{l釿 q:'wcOTo~#̖-{IT5xQ~B&35't;+g[c|c߷  endstream endobj 2975 0 obj << /Length 1963 /Filter /FlateDecode >> stream xnh 50_z`/"3%H 0Ybw VK(*nػ DXi~gw~b9+2e. k8:{umdliNcuA?KqKRGO`kED.w.V0e 9h Ghcy2 2)sk .o*l^io8{r푾{'Lo={n>vBAycXdug=hM%yO'32RH12gCЖT|1S0ҏOg1mOdeDuJ4v+"1#TZq{$Όkjt^z>/uV&n|O'L눹 k7tggK;%k4qy &x,8N1KR!PB|1Zr.L=)xp\(.˂V)!$ۘpUN]t/LE(N~j_(bַuLcMre@srQ=:b…+B %1`xiL '{VH]vmZ H,rtz\dzhV+'% gb6)cΰ^6eIvXX]@\K41uMEaFiİI Ѱe@T͇L0ѬVRV+{ ^d0HTJa+ZB* 5C˥偟aƓ*х-,Q:-q9_cEr竚e 4lj̆wZo٘C9KWvK# jx nm3Y_{}k໅*K8>w@ }@*)Vo71HgrIj[ Xn?./ZH+[GbVE5Դ裖4 Z7HU}R`5ҿjq k]chjoLqGSSoƼo  ZU՘LѰh~ush7|yk:*%MpnSqğqi:TLMo#ݧDpx/> QRS@8"!6Gl\"1лϥ‡;yo̶?VId4@]bcm/kES;Fbf~{5vCتot F'?EENrjâ<# 3/+,}6m>=u`M Do\; "]QW0HBdaa=4=+|4#N~|(8<ґ3"|jPs.ީfIUg0L%Wޮ: |:=bOiWt_^< endstream endobj 2980 0 obj << /Length 2272 /Filter /FlateDecode >> stream xڽYKܶWLT9pR>AqTrIU>H:p8J|jӍH}8| L;^w?rcQG9RK,b9>?\A0i7E:N3HFӠ,Z?t% z8Ud$섃T48(ֻCvj˱Z12xWכɷ}ѨE2VQVf}zuԶ4{Gj3DƢ,bCの灉PFk=_+<:嗱/J峫!˘diDca,ËCk]JǁK5CBDXDrބ:cը7hQt"n.v@LăUYqkp"ia{"  R}Qq H7';0G\JV8IUY=3mAn*v,-4rE(l]M)/f/ָGode/s&/52'^5a-lWűioC[jvS{";;r,"Yn#غHYf\܈* vt: 98<N]cucb[l29ݥ*r@ 02 |׾;N:5;0>]Sr!`ܛUZaQW:4viڳ4b,ʾ:L `1ޱLj{T1,qOy<i3Dļ9B]BZ>pFs`M8.2* 0lMpvdٔ,\sO1Hk66VXo/!|4N۪=\%`G& Yijט7\|p40  "RpGbN 5Bdz%i\ { avb1Oܷ3Fu~Lo qei$&YU7 Ja5K1$LСb?(M)ţ煊_.<ea*֔N" [˂iPYK\ /'YptDϓ-{Zh@bS,|lfeEx<$!C> stream xڵY[~_a}Z)R /mѤ((x,*K%9;ʒV"ù|s!Or|BDI)v.<)Dݱ"w o?4s]ҺߛdkI<2m=^4uE]|d3 WKmi~"-,MK߿T`nɒ?A.TE-"Cc{B%hꀊ"b}ƸOXl$)$ej(j^#ڥ7>uB(m@Ҭq ,i 3 @ERFF@<QԱ}i߂7Nzgۓ: :p :,ⴘڼ4!K)0@4T=&.u=@,"H:Shq< d'p ? xoqӑ[8Ped`8)c-!Uq%JEZ6"YF>a  eE;"҉ [VદB.AeÕaA ;89͒ugqp q+E>Y *@Uxk72XWytؼI9MJ8L6J)Īz|K!XЂ\}dmP)ɶ#'%QKE}qkT,gqV: un{-guNAܳ>ݠRɦ)Rw RR:\|YrOh+Lhj#q㸜Xz"CPO f Q>pˬ8  9ڊmԚyoR%(uq׾<8le+LGEEܯz8D_5 oJ (IU}M)=Xی`XETIe GŢ\˲$j>G) zZvw]GͫE1uǃ *!\a *+S@/g|; DcO`-$q>WEZm9qk|}*`-@WW;=5Gr/g0QjX5tEc g0`yJ IEw2T=~,F"} o w He*8d[FSzs)6{_N)2;?9(Qd endstream endobj 2991 0 obj << /Length 2163 /Filter /FlateDecode >> stream xڭYK I]zUNrIj=)4{Zj#=%JSLS x|8w>JqI\&8<R8ퟮCc02e'T3#{%}dZF7Sg[,2I(% n 飈3wgi~-S5܏"'3H0eI2V^ɖbSQ筩AdvYxu=\omgj{ t}JtOmWr!=$8gk߫^}v4W#ԅPV`h5WH^M*  *蛮{hz üY@[&[`MM5ٝ=GUrC w4&`;H4[;q^t@!GSQitf$Bwf $8-gHev{b&oX8 Mz _-Upu` VӵLQv4<#ke!1 Pg/U ]`Yw0jvn!RUOD"bN5`9"ta| bVc-HTB~PnVk F&wX/N/GPW (c-;}3McQHL%a󫦙z<2 l,+ho 8fE,v_{-it&Vsu4;LCfm4\+D[x87䑡,.1W+\GգE>8hA-Adg\m)kW0p ToAsg\GOKp<[6! ifv2_S<^fuy1aрv;hdXeu2NSdI9 Bu9H%!*ms r  LPWCQE_m8'N]}E=bX0xB80Mӭv-f/5s1+-XP4&t5gM56§/Wj8ZhY%LUW+O֞[H2ᰥVmXʼKsӱZ|dq{w"HY+[h- \BLӔ~pڙY,g`_+O~;mPߩZ+>GY>GDW_*q+e‰gN na < jP3k`n ?鮴` ]V-?,C84ۀ[[s1,:SȄ+^QW= o̜*3 V=_{x%M0͗5BG 8BE0uK{!bOa?(vO];yѼAD--~}F9! ЀJjaM$C6 %."|e5lg~% AyoRX@eqRAʩS}T9Њ Ք߳lg QP-،ƒۮ#`@->[q r=B@O+mT[In\m4L {-r5SuxiL<#RY-/ U=sQc}B8tCQ\QY5'wTo,\W~d6<8[ %`?UJ+1}Z]WeYbV%xpco/a5N{ΰ8q,U>oe  iH_q^+9+G?zLwU{=b2cgB Maٮ/`ZN:XaWrT%XHPj4DǢ^K_]~:W>ak (ʒqpBW!ɸpOˮd`w{*v q㢻xJ~{x?$ endstream endobj 3000 0 obj << /Length 1929 /Filter /FlateDecode >> stream xXKϯW@쒹3*gq+It@:|>jvnl!5Z&|/>Dr,h?lx ͯA߽ +_|M\͎,9Ge,(;4[*Pv / G[ZiQ;zRmyq~ߙcP()WDYyPjqQ`sTpR/q=ҡZw:s>Hާzؗ-|Fz`]"xms&F3چDIjij$ ڣg.eoKѪF%`h[?v/W|^酧NxtBdܱFh٩j5uf8'yp>ysA aSDvK&C 7gX7D8#H%H/v];.X˰|8fq/ WQ2ҴPE$$ 4pbkD9g"J2j}zFtQ[,l0#bY".Ũkmb4ӹ!M 8O,τWdU|tǗk ܣP5VˢS%u9I3?N6Nջ?]qENʠTeqYihEfֳ.W'eYQ`b(Px]E`?7[Do02" C^[O=o/WMZM}TZby|G$W:Xg?Ow߿߯lzuCՙsVB*uWk^w |?@ V$:U3J=mvX$_[x)_ aGչ6%9i3u+̹۟.]řQu쟜O2RidД [tu[s^9 7k[#E$# sqN?U?{Z(F<0'\T$qWcnV2YW)IgU쏦sJUTu5QU:ظ%d6+X'n,5"4퓠t;b- 'ӓ9 PE6b| \B}N#*ٞztqvHD IJ,X;Ha2y ՞ޫns:̅(%! ށf.c'i:HY ֆgڿ]HqѧdCixx%?sM<*h譜m&0'5^O{$B.$);lV=]+&r# 5q8tT ԙ_a}x^Ь/5Veת{-ǎq9BՔE8tψ¢Gi `0<$t\2r.qfק褪~ГbuFhg\5n<i_M˘/=c0DvJ Ƒx9 -UPp߿M= endstream endobj 3005 0 obj << /Length 2721 /Filter /FlateDecode >> stream xڝYK6WrR 7^;T\[5=9-K*>f~|h8dWwbӻ߽ɝa&2ܥ.&J) 845ɲ*MhQ>?$re AD&Q ԊvR?XxcB?H߽MHJupfNoi!vH:Sc?DyM{ciG5Kk?3-mqN:<6~zJfa:/laPBλ=֠A֨Ǫqlh}eg=9r^'A^}D2rF-l7tX>2wj+&h(˩`v=hFSmga!R?jXKb.uUTC}ݺ/>q Q ѭ0)OaQRb9ˈ0V lPqw, U>/ @|"a.3KtvLY sPQ: ׻T \)JpZ`a0ʼnI,{*pzKTums 8Dr3"3M4 \z H¶>̻;3K=7sWxsjv4ly8[WR_gvz4)ʕ{&c) 3֛FV!q (n #3T:_B\( Z(mb<:{g_,&06J)gp-Pk#lS^F|ОB܄IgnU I>?nt%Ig )ܺ[LIY9G;őUfv^PM#yfRl|PPCEbvM؅ peQ$ Uk[oGO.VFy7(S¶O\%[H9 -r&I$\(sJ┋= Y|j{pu`(F((p}pH;芐uqLZ2 ~ 3MD)d{:N1s+$=('aXE-Gj"'8]x(Yk{J ~QK&E=Q6K}6n m㈑af&r`}T9_{BX?a=%+MC1־n&P=Qגanc8l;E }E-wfr5Bo^| ۔[Ixh5/5|ASrZl };vkSrԌdiie: =mN^6޹ܦ𦏒u|evhy^Zoh/gLn+RW>niIHz}Mpkn~"WtMR0r#:X%}D0m^+o}R8' bΫ` y˭AU]u6iP$KߦTژ@WBz7sz _cSs^Z8^ [haUHˆ8!uP-nl\ߏ&iMZ{XqO <ʇ%.?㦗Q* ں(Ԣ׏k9Am%|YT <w-kky*@O+^6r+.)]N20͖3 Ajze `S.6oGox O-[wPz4b`pV]FLo)ܑbZR]-Fςn ;/ u(_}DVe-40:T&Qe2+4b|3|O^zwf0ƿG)cQM>FI(?]aVI|*sSTi17߲~W]eũYrAvW>c^T5=w2ɂ_Oj> stream xݘK6)tA"FE=E ^|kz%+X ǷP$W r٥) z S(s쭷^yi0޺,^&]<$^@B4ZU߶uݮTŹ~H@jZLUmcjKv;.N_VYaC1aG`zM|VlSy ,DCCg&֐w;܁>I<}XQϮaYbHH\wɘxHs K)Je6]>*Q 95~(%c;?4ԸYSNMD 9)?NkCUDZyRf !@ v0?~C2Qia0D!J& a~lro f@# lF?#oxz%ClsҊ+ V2e*K-%$#Q1PoF(Iǚ=MzX^pMvv?hJ}C)E;'QiJ(Jiu6c :5Rד[bXtBZ]Kn2US~CZO{A2iF"ƃlL;L1SJtq6s~dZ촷*- Hl24o@s %fyxsTL"9&b&>q)Y&5zSZu{g{{J+oM!dzh/!﹐*oz:}MDT3ť$->T/C5]kMlL~rkk*ZN-)IׁABFah;H9(8@">VM%閭&2^ː19 [_tBXR3!8f gJ&XH^Q#u18/J۠^_ĥ;m79e -ۇ* kP¾PLSJ (1iş))ޛHd:2R{76:3rbkiJU,m?C}~l@۩ ݈nAݻ)FwG6hrW q.alSἩds(>l%ik ˏ57Cr6 endstream endobj 3016 0 obj << /Length 2031 /Filter /FlateDecode >> stream xڭYͯ6 mx,+b;lڡpūcߏLYr)LQ׏"6yFOoQlTmPi;u]HO?Y*qtgRӎߺgQPFeq]{Hp]?i6RĹG~FVX;QUY4'7eW}`1ѱE"VWW^mh˿+NQS2sZ=h[հ"=nwZ*Wӹ$F *&hDGCN $Ҕxk#ʲkK!ՌۼxH6 5pi$P|]yKb8ZIg4qb$0'ח6@-޵s5в˜5xRb6d yM&[⽕d#N(ۥlFT=}B7mT/Pi0$O_C!Czvi+_y 6gB%ydfc;:ówY.p7~WƟ Hfϣe7,Mtu<ud"iNa Ls'+L@O}=!EAYD]4]VRcT##ù<կLdO l~5eDmclf\tB`BDBPy]&zQa$=. Y}%MN3 Ji)Yrzo\N#%kr oi4LF]^-HMkJ+NM;B?tU9ԯ4k\^)_D٫}v08qH{ t i4٨t2f5I=m3(y3V̆J|!hc{y_Q q{Z;,Bj_n"n  WN1*{-DtMkhO˾g3!U(S| 쌡'U<(tPbӖ@ uK;ڎk Io7F`L3WOĈbZՀk 6ث\sU{r8vp73Iǒ%vDALg2^5eXN4J~ԘEP,@/?чNQIN,8|Ƀ~{G5-nI,ME)tTSzOa Ƭ[:i&` (nT0ѱI(d,6#ߙ|];Ԃ?ڭ浱~1T»jJ ׯ>^Ko9x-}Ŀ|j#jZ k*W.;2lJs6i|g}{Mg@^O@) gE>{׼M'bRWG5DPy};B\>GeTg_'uɛss?|a+?#/\/a>IOu&jU/6`xGz1E_HKy"$־4?I+cZc'AefEӛE7CE endstream endobj 3022 0 obj << /Length 2406 /Filter /FlateDecode >> stream xڭYKБ,˷b{b#P>OUWuԴfˈl󫪯IvOd}GDI)v].wyRĉNw#Yd!!Tr?TiIg sf>2e+u_Q?RЏt?|7-XM8V}Et6VETT2^E]x]~' wφ(}?Dn: 7/:v=ndC*=}at CwDg.Mkw_-n}ca4U@ <|SvAx oЭhӵf-m'ZsBe]|"NDdxΖ0.%pPq*]y6cO/N_6f]i'TvpD4*_Mkx EÚ-b+ycj-D܍fqң9Uvx!B +,(Bԯٝ(h2J0&0-6W~~Αq`ZO2&hg;T +pp05zpZ5d D³~wi髺6׺;޲;#b;֮d|G4j&x@:;`N$dK,km&JA08ScC2, ^_ﰡU`?B2#0_w[$ .A,g-IT Mm VA$R"+I (T\fF i'D2>1GAz5_M}l, p@Kzl s5QǗ7;"U}A\ [Jqp٩iMh Ȫ:D0^9QMB|̌]Wya_ YPOh kRيo:5N08\H1jR au ,PzA @: Ҷu}iNf.l.]֩E;Qs;q] HN3 BvK*ԲHL32 MrkzшZ(ep%nVSZhӢ~ H8̳ TdV)S:NݾZ~'7dƪtU-L[vX;r[騼t(P^;^nM}CFQWnRܔ(T[xh``O\P X|NIgc/svH#W/|)͕ 92d))킿A3/c?$Oŕ*P'b% ޙY}c]3n]Z2xp4,/qGڃvrR& s 8@Lj|K'l Vއ1%>_#٫xl )Pgg rs-Vq,n}{v.|H/}'P%dx*f$v̈́o'|7|$.+{M!7#;,ކR#q #NH̖(߁f7ĿwXmV"$p]uCvZЏ8UZÇe endstream endobj 3027 0 obj << /Length 2373 /Filter /FlateDecode >> stream xYݏܶ_ȓ.h"E)v"AS ުJ>|w}g8k_>i)f6:ß_9zNXep<8(eT[wc߅qa12*|Ge>՚0ȣ!1SRʢB${:Uc6yMϖY-~"Nc7~ pjm͑4W"xDoN9;8O5t7>T5H 6혏%=>DhײF~2azC&w0#4!4Gk;-8 OeSHO|fjVS$&mI u:,(#pl">X&o5y=+bR+w2 m1Mݍ,D.~]c0 d9$5ԬͰ g;6&eEGa/ߛ#ĖB)ZxNo6=M4 m~N/ʪe/֣ۧri gtKssm4˷fLm@'OysPAR [>!ayqP,[ \ !9wd[^[Q(&KY󖫔]-GJsi4ŸitVsD;gbY蹃I鄨[[|`,3pa& 5JȳTmUs{xp2\@VtOŠSm)/'85տ'o~Bf]x ̵`*ډ]B2ejFHbۜdj7 "&t, a4Mѕ[K uoA=STa9ƶ렩_9 t*S>GZ3&Sfq_⸱A?CWht6a:4@^ACpM>`5\*xOWE^C'@v>!Dʜ$866c$Xw3M]Hm\cD5"82b*N_dvi`?="Ӱxza1P?W0?uX¥(\& $oicoD6:1rf,㱯DL_/guE"<Lmy > stream x3PHW0Ppr w34U04г44TIS07R07301UIQ0Ќ 2jA]Cr endstream endobj 3038 0 obj << /Length 362 /Filter /FlateDecode >> stream x]KO@{\e=ڨ̦VO8jREVX݃4m?Mɼo;LGhpwQL9¯u*/;PE+)- !W7jNC T(3rW4PҜzB[S)&rea['3P$UKrdVk &e0HZAO >̭`qIVIJi> stream x3PHW0Ppr w34U04г44TIS07R07301UIQ04Ќ 2jA]Cq endstream endobj 3046 0 obj << /Length 1490 /Filter /FlateDecode >> stream xWK6W9@Ċ/Z =M-Vldy!ɻEK6CzIp8Ϗ3l[e_^d sW׷BL0}Ww֩,totDdTpE'~mג'p涪]Z~uSuc1[d)! WIb;Q+63< 82:3gTNR.XY B 8r ~ȷU2̨~ M`$낉lb ؑc@|<?uK2UO,.D|/~(A uәO8PQ-\0#%e ϗK&etGT .4LNX<uhUgiAƢX Jy!\fû)E<{zXS2gܜ >܋[UQ"i1n>#<مBg2Y1Px|&ATZUsذ沈T_N0çzZH]_T JGJ`Qܼܨ2-at`r6]eϧ3]1)֭ 4%$)Ί=2Ue?-yuþHP1"=mxdF5^ ƕ~*pC!*Kޮ*\U[[bL-)y0m}[uaq7]=P`ge2`Pzw?-[]PSJYίE:D/Fj[8{8൙\;<12&ބw=˘pp[(%=vՏ$/G,rtaa,3('І>{c|o{H`Vxg|> stream xڕYKϯ0v֒{H`drEۚ%GO޽XbHVZݟ}Q+\z_f,PQz(V^lwJtaچ*H㜙nx]پw-?<7&] SNM+ɮtd^[XUg* b&J}#Sa-~+xRA!zחM Kj]]l$MY?Miyuݙkꂹӽ=mz]oPjk:Zm]kFBRwl.UAQ#M <"ԥsrR6ֶ/L( -^^ؕ7 1%ί K5DN]󹄉 g&aiCJuhZvb}K fО+d͉yYltȓLN/#͢›V eWҿ`r_\]43[4̅l:wWL,tW?VGYܔ6%!{?`ߋf{Q~p~;)k3kdomcP C&@-ugޭp<Q^Rf[6aNӺ=ۓOަ-B`?zL FgE'7h~VZAԁLWrL#c"0և=ڹ35@G#9/F*P$$ўQ ]BEL{Qq^^i].Eu)xN4 PC.лkZY1a=Z%N1D-<h&g:uDZAc#O@嵆4TA gG6 1M`MML `\-<6ge%鴙!F5\‒>y][M#h۲wtGx-E7G(E1f J,K1-tR v$y Y+c:Z@ƲhB߻o镫|dL\i(,& GtEuS!ir0"CAsU=*H> fsh mNV/m5EЙYl0悚rY8~izJzn |&R|7 >~~ڽ.<|li^ kY|-T.2 jMJ.@DbۛZ~L.DFO>~ c5c&_Zá, qijRVjp> stream xڥ]o6= *R%5h Ec!QR`EƂ!y<-◳go8[(̣-/( #,7/8R-Wq, 4͂O͒gEY5tzWqIn$U헫'cQfs=UkDCWmֲ(H`) 38LʽT*'IzemՀLM±P$= ܛcּ{en`Gj#@Zɕ՜$\~aΎ;'a.'!٭oPwƐq /-9vsUÄ띤i(o-z{/ybu "3\mi巕Bw5u=AʢPY]-8hlM)/N8,:U4,!^`7Qbf2FWȊ82M%iiVhN P5| 8:HP˽K 7AAVXS@Ugp~(vN]<̥:4ڏ-6\4V(%UL,鋚;XPR!/^Դ'q@@hU{~C[A.2X؆UJ}ǡ@H\4f9g;[MNL`Jrg9 nlǂl"PDf15q( >~+^JB5H,*D\nMycчwx2أ7pwPr+UqgIц>?l4.-ݔ"F*$]9'zڪSt4 FLJwZ[޸[OS,8vs(Y2uju1 \دƝϝ:#k aۓKy?gd<4TE0z_)`i!Ţ;$z 6I=F :eyLLǰʠLkyBJl,s Q̔5FCkR@@$j344:DS('L TLU3JhSNKQ SD "p8D@ (lnEfB{ޣ4Alc:|rXGd@uVo@Y4'^9ng>NrG%F/߀wŸd}3o붹GeWPyyhf0~s YJξ%Kho,xe 7l3Zצi<]}v9>#S^h_EP endstream endobj 3067 0 obj << /Length 2898 /Filter /FlateDecode >> stream xڽrF`P9`{rTޔS''@P <,+=$Șv/ļCq]|{sq./?"oj }>oYH$*Z,/0E7FyR)=6ES?`&0ފGMQ~yvyC:ݖ42u>i]e} '< UVI{R] 쉽*_}\~!/H`E}ȶ~+~ ţ]]h$].>^sP OuG08** Y&א&_i0`scYdm .1?KE?'T,K!'*f"d WW9!p cV9@Ut)kĉuZ6 ^!X_U+K6͚pMC ̒y016s>c}au],hԙk|Ej\u1$ցаvBoþNA-1eUrcrh&E' aT^]6 @㡿-A̎OYOZ$@\'DqZ f](҇ TBZgü$(0SW;x8\A2v}Գ&=4E \{>~?5uXjxE'DvOu_ ~{I+ h (V`|`";K>*bm&͏o뷳"|@R|M@Thyu#ThTФl{8\} rSv N<eIisa(U1hnS<Zi_ZߎX+D+aUME6u[ g?w>i:+vCI<K̜4gq8 v gik W]#Hkp±w& w!h!( ll"n0$5gHF \@V?nl5c*6b,C!{tۢ,` ^ 0$ lA}XxQݓB>Ƨ$A؏-&kfHQO!D5:-MUoM'lS|M} 2!!ReT-X]bPNJ^ZwAеEeL* \gTN.8-$#`-6n2\z Dph/?BOdƣwY Mf\̙6 ݃ߊFxͷ ߴ]erg]4ԬA%l"\3w%PrYlBvxw(Z KMRs+:njh6QCamihaczS} ֗WX.jKY5>=B ʪ>kHX̾R(%ސ{hQ&R}؅21 RJZP,1~= JпW[=a=Q)8wԷԊ8apS>`aN9$޿8>qxQCģ"9@IWNG:ղ}C#cWAžcRkiƐ+ed_)ifl^Fz[Tt?IQwJFz(:DTr1:}Q?LA/4;-/(k9 & .մn"!235NT\{y JK M{\bw˜s ?ᒡѳPLK>Bd=,v rgWDTעlq"$nŽA W'P6SSlrNe3@$D:eJF[[9_"68Q4Hr+sg}YjJ)OA4΢H7; Ôeel C]>l0m=6t@ Ɨȟ  endstream endobj 2965 0 obj << /Type /ObjStm /N 100 /First 971 /Length 1804 /Filter /FlateDecode >> stream xZmk7~B/ZIBB[s$/gH}]RnlՎ4g޵q BA40MdB$C 9 S]%9L4o :#De_dQƀ1!DŐ'QY 2L\R(g잱2D<L(, 90*De=sqʆֻv9LER\FxQBb4k$Z\jc6//ҋe94!vi=XM(;(Eن8+#_I<?N&{P~ [E%#Z=U%ڐeko*VRiÇݏMj^>6כW':D;Gq4N黚__eSrrc7'L]P̱v`h? f+i@./7"d5뜫uNf#T|$7 2T 0)pv_e v |B F0߹ycâWkgBeN6 ,WStB_ecRx_ kJ5pRI> stream xY˒۶+TwEUF0"d8N*8 HŒPBRn4@YdEi0]<-~|x "-qa¤9K^,?c'qsP{q@ 8,TR\zÙIy/gYHf܌Hq̦ ~:|φ󞹇dN04nE+^0Xn:h0i;PmB48tucذ> I/cQmB*<|6 ±`{*Fo:^ `CDxAsObGSTHgv`{N\w,+D+5Lr=KYD| Yv1+-9MAPɄ4O s@¾!HR.禇>XC' wu)gr4/StigԄY"#C8qR]2{RϾBO Sg>a\ BEZ VjŕaY=2zOpWlE]Μ$:6"KELɟ׈ ]q3FcY jD^VAWLQ3Evp0I=: y-a_\eTzgN3h @ض^&FXep)ab&@?'M^ lp٦ 7"N~ht/s!b]H._$*-U0@A/.ml83qިWM bd C'yO+!| QiB/ȏzCx1l$,(AG,#KEa A(LnL6JAW&&)q8 ]KSQ_`%I>v|l2"?|[12`R![៏h}i"H+领^ʠ{vrA`Sl1 *yp3Hd|'nhBːW' A3`PiĘNb,D[!:Y9uWTBj+hW0p[>ϲ5AFRMS6{lQQn* Wn[p y>q򱩟3ƮçG@:^}nXuvviR[r=/p Ea/"/L.lAP[1lA<`X@~CUڽPICUs_Μ ܩ>5m_7TUMjt5Sذ()6EG5Ґ` !BM t~*~Ut )jb9?tټo]k#1píQHr5?7fO-U >xk=n(` 6_%3'ŸMpMӆ ûon endstream endobj 3081 0 obj << /Length 2963 /Filter /FlateDecode >> stream xڭIo_[ibn438hIEl$HNOzUnl~~UQ6A67y:yw|4 56[qqʷW[t}xj̳zښ8^6w<៼_ >=>du5; r1@?L-CeȺa izwW0UCJ'^'?00"/kx)kC˿9Gp"^>?| sl`(J3hpOTNȷI*VT@xǮE~be>55ܻCxC\財k2y;i(fOCd-b@#'*tCYexS?5\p 2[ۓyx6'ԕȊghy$V~5`aD( C6>^%/y* ޑ_ $J`\`+a4l0*tJZO}mǢA.iR7p%xvxqpYsC!>&fC S` ̷@َ'SY},+Ε,{Gc*'OL&4أ@Z"\~ N#46z,ݤLȎo_yG &($+w9ee+FvHUwE^D1/'VV{N9Ck,}=تő9#Btp\dJ4{ K34}>[?X9#Y^oG~M+ D[ݝj/[J?"4F9PX`~O0^b@R@ Dm_.ݮȤNYtjXpŚ &$ce"Un5?0}M/1˚ 0Z ,7]ռc=qc"V_O12nto?F_f}DzfD'a0&,FG9+^eh| Zk4 [1;=to!;i}|I<90;wm<4Fc[}hCBRg._UW O/S6fk3H&!Ïsg9pisU1$ᨛ~NIջ՛Q=(M*]#z )&eLe`seq@GCA_K F{8Fm$\usG6y'qb&Jc"3׮UviQLx ߶RZ_Eg.6#3X`o>i9 buٌ3(S.UƩH-^ug]80.v!s %fiv?ψGEDdOP|[1NB d ")JAnA d2/c80.vj? z[\hf Df5#_vφyhu^d03n04|?eI\Y͑6tl$>gpT 7C[UqaB^%KG$yxf$w4ep7 ' c9~㧾 fE!M K$bRxeBKù/m NńvȾ￙|R]º*i.T C٧kj$Y&'SpD!D ,~ݱ hlxV1hv8v RYY= 7e+wŌdW9)ieQ+־4ҝmƣ/6</-^518x[߈6kݺ}1UNl9 WɀHF̚x)T>Z lD͐_FffY_!j5oMEh?Y9=~Ԥ! T>1?oMC \yb Av"3:&/KRnLqmO=Kv) vl۩dåX:K'͓ S!c),!{04\"=Hz_TGW!㰱j&ޝI*yJ-<ꃀHW!k{'mzXAE'=/è˱+dM MevH0a0ȝWt)ݱ.kyicw_cӈ[.,ؽDumQ>8|yxA-\ؤOϤ/:mp:ɝ4mqY5w7 endstream endobj 3087 0 obj << /Length 3161 /Filter /FlateDecode >> stream xڕَ_!IX4y;Ol`CSMzV̝؀뮢y~~ۏZTavL08=vyE^!/4m<{MC̀ߛKs%q4JCz Z_p K ^Vv'T'8\1c_.Qa$EMa旘Vqj^yq|񇭋 گxuJńIgbXҔ72g#t4y<;})hakHU;(HbaQcmu\j頸|Kҽ96Ftpp4*C#xt,qL gF@rsV!FLH/IY1dNLt?~ۊ Hl:.smKD!z\ 5<XJ3jIV;?HB: gI/18\?i]P]X\ xs xXsA$qLut7<<][s%llŶrc38^iG)+aޤҠ޷^5qb!m`9W Qvuʛ'2ixi!+USpLJ:|oumFLhu/\lCyF}#*B5 J6Lc =w/۶ȒCD:mq{g>TfK&Ğ)?Ăz~,Tj\L&˶@h?3y)6`f,+' ͖}ǁihdAT0њ#kJ|? nU|@ Dbif˓B( YgN4H$/gw2E}@ 8һ7XkU'L!`<ϬYt0 w ^G{!QRڰY!Sa 0FmqMYh6T͈) 5f dʀTS\FGym: $#y93>ܟz :(/Bb"fr0:oÇMOfK H.Ҡ *%A= kAķ, DM[W8:]]9D*|CO^bMAD0qDYTi*~VQӯ1 wmbﺋ/l`2je(T{['sM{!j,n#pz6ý,}F/8I`#Ɛ²X]UvtO=Ǔd(8;M1 0Jw PZ PMK*?of6,%s$:|k>[tAA6>a 2/26>1gdbe(><$żYrmkƾlp pJC}QjyApc[90i)$#AAH>ql?V+I(m)4R7&xH[BG8@< efE,!G\ˉM4{#08j2(bF2~ש l@.k0 ]%h&i$X?~~ !Jk%j{rXPQD/!1X-e\ƼP:e3DK Y$^:_\m 6E;en7PZN$"zȶK2>Zh;V <BuK?D^K/)k8w:qR]YꢘYpf \ݍhd$ql.$5 cqSZ&ÕPZ#.48!MJAbaK.ڴe嶬/cIpg^jaqz>aW[=1z ܋<MZ>%fFIgw^Gxཽ@sH*}FyaGX$Fb5-*bи)ܦtL^pf09`Zʅ\,g(a b7'ƛ;* 03@:v&|z\tE.5.lJ >X,P9, _T(f?w)ؓX1lF@^I(з Lʳ@heH$1BpSEQ(6cD5N(8hy0u~O[~1^ֳǵ`"?m%}gr;R@_SH>^i"|5K[E^}*fȬ?{[k2d: i EC1 b}5 ÌA2c2ečnS:lAF N/=ɇdMnn7I F (g*lK/5$o h, T_AKSɽ^V_;S*7!G8[kH :n֏&I9N (/GcJ+ B endstream endobj 3091 0 obj << /Length 1820 /Filter /FlateDecode >> stream xڥXɒ6+tR&L,ܜS!-NMQFBL '_^饒˨l4WL9l/^={N2)aM"1n#Reg߲(uu"dߺv"c5XY۪> stream xZMϯ)EU`drZO֩!Nv85b"cק PqFZ2@~ L<{ų}pwx̲8㳇,$NYa99_]RʈlH4z4U^T'z}55po7_;BH:X"˰]:~{kakNUYe3ū*l{1`0S ޢ3=J!f/-zBg"= Lmx~đ u%1)N}yw vbNQYse@!ۮNq3` "Ni[ q[ HP%#m,%]S̑!9o5(HqaҪM^%}mdW;FgyLX.[.'y0hȘsqtijPì3& `q^"y$oֹ)zSv$z"[ӛ^|ro.(sj-mYti𛢩uWi}f*lr&d,y9 0viyL 1;ӿ6U[U W@8$Lt* .2 2I$ KӘqd_/6ٸ;-]Wuv#]G (0 d t<*3&Nb6FcM-y cQBf=Rk0rmtWI:o&|3VʽZo?ܿc߻Qb</ ʽ3t⎂W:+ vD-Wr ׆h@&|2#oPY, 0B >P-_]ŋ yE/C wx$h(kE RK͗^}zd]' @Ϋx|r|L{|:gx|`>x$9)"c9I~ FI*EU:jPC WC?3~jh:J~;u/8%m&2fG%.B:tGhڦ+>Fj endstream endobj 3105 0 obj << /Length 2647 /Filter /FlateDecode >> stream xڭZIoHW(SYd: f.s#tT_?o*RI}b|VJbq_zA )BrqsjaE.n6OK-^ wd!bEbӂ7V~3\˲ܠ:}_ U{Xmx+=;Z.ekT`p9^Yl'`^u{nٔ_]Vn9s=&I{bUʋWU$5NMnʾ!`b]Vq#mk(dA<_! #4 H7'N3@w^ap%K;1[FE`;*Jk%5rZ~ƪs(_>NeTNjnqʉU.DiMh:f[~vce uYuPЉ 4 %5 #[>_j*ϓ4 nyܿJD6U~(IG7LMR3.i0X3X֮fpT%;t hi|-o)(SPf^uM{̵-d c U\٤);5ѡ(IBi(d"#S1`{ %("['Wxr:OM!XĊ`BkULxmq_ȸ-G^ `n6.Utr^rgiviCMGh2MHb!aHh '(KUx'8! ы`SE*5DjYElrW@M5~4+a|RF?d PGf2(CTIE,E`xKt@i9D@ĨZ織xs8=1҇U/FrAG52:n"kkʑtg7 }﫧r19D@ta܁{]_sHx3+q_PbjQ+*JMΧ9%ѡ07w^qۏ*cf剒!I瘹i"s鷞"L3E1i$hʗ2qfS^C՛9x Z{2+j|$I.S0^ݏy ZQ$Ya%:pW!"?Z=c neRp|ƕqPfН)2r:OjdRb,7GnEdi;,7rOOA(wj"0 OWVwpw>S6 'o0Jepbo9:~td9i7|OypX$ `!^WPwUq/1Żeö]].휟Uy K1*z ˮԷAh m]BB넌N:Ja/HkƳP,\@ʦ:J|dKjhHadA=+bU- Tֵ\#Y73GH`)f֔[tA&]8x#Nr-qq9‰6OTCsJp$=zö7YlWFF |{#t . BN떏ׇx [3$u_QyeKŲ SBl@:E; BVL#!$+H $sU杛'(C k^ K۵GgЏa}rNDR>{{483,) JqWstkg>D}^z\iaPc \A%@U׏H.Ho0bgaö܆<*]Z'@ld`~ 'ߓe Ub ׀ޔ2D2ѪLCA0۾y3^y|)?̷P& X2O< v ~wo T>qbA2DY뼍>0*& Wf=C=[zK^qS! endstream endobj 3112 0 obj << /Length 2748 /Filter /FlateDecode >> stream x]oݿ>dh%6@ą./Ix<#y!yw#V胴ٝpq~oZ0L-7 6L06XEQTip6]/twp~ ܮ_^Qf$6*Hh QE(d-Vqv,Y:2oWeQ%Uz\u(` hBBׅ ߹m:/(:U7\ReH/60:޵qUW.3pY2uwVAhۃUuRX(0ȠoXmaqɃO O)&~ I$#d@mU4=xxzT ɜ!פMSU {1xY|p}%eUu=i,&lQlx3+Z9-[f" w7.+o3STd0Dj6H "f|sJRQxMvrr<5=?^ H_ Q-RIHuuS>BB~Sv{#wǓ(:\f`wsf6MZz}1}0r-mщw)ּ OXJgUk t,;|ldy:9^3Ghjr * &G!L@J08gx%+S(^KP2@4M@e-l{tty+Nn>a`2y1fszC֡>~8(-!xS0!w3 ;MZ 6 N*)AH8ux܆lȖub$z `eke^AS9t -1wEmHe;= ՔNiڝyoY꺑y緃)G*z[,؅*|(|H=ѻ$1_5smŷ]):bz޵eN hc;d1HhƌQC8fGT'@QA7@T+F|ޖ<'))^#sf3KE'\)AV[1dȢ, RŎC'J wBXJE qIƄ] )EaIS`=8Q=);aZCFa\4S2MXAh4LT6i'Q-x~%Hoo"f-=J9fOƤn]jFQQ+?_{+~F'Ly*򇒤l^O+.pF'tlVM&\.l Ǔ|X F<ĵLxәEٍ=99?$L'8%xAW hnx\HAiXI 7ci~wZo[3Ni܄mC% Ċ`g".G[.@ey SQ5+_ZjuJIrHrtz5~zAp-_ vG{;%)N/EaMjS+$4,ɉy/w-o|jw$0LgFRNR4 (BAg+PtԞ'y>q+XPHP O8(9\rFcdQɂZsӾ_'n.)CS\%kKmONPHH8!0T~V%TY8F`;C˜"'slb{+hzK2ʓ`k#b&W+*SCI'T|QB)64NXP ڡ̈́8M?ECngzjk4+PN4! Ld] q#Ko'!5gw'ߑ6U45SEQa&6bIA{[AO͑ܲCu)_jʧܿoY. $dV! g?. O,VmX4 ǧaț`,N@Yp/펪_Iu/NnX(xj\O/GlDK)B$KUKWƐ?ۑkuQ;eәT&6$,-?z!Qh–|E~dvQ`ۦOÆbY+%jL|9Ii#ޕq bJR̴z?i`qovYv "&xdYp%q ӟhƑ;c.I>AO9&^tmFo@\n endstream endobj 3118 0 obj << /Length 2082 /Filter /FlateDecode >> stream xZK6W(fAHr85bCzIi&ɯƃ$("ǒ\$Fw_ċ^ۻ7߾'bA0XvBa.wůK귻oS 1. #%NWPꖑeV*QbYy%2-YcFwhDďC^n7Dzp-D"~ࣗQxd/ 3pu~v] 0qZ׈Ivʍ[Cf2ߺ畐Vk1YE#Y$H qCJ^3u?e8;7\%M^>]#Cg2Y y^I#4w&tTIEDN\>jبp|Yv-m:䴡A!|>2 :i483Vϊ͘^uo&a9Z'a|8 DSP- Epr!5KCIMpEO{FID K^V(t :"-ZQFApPĸO+mh LaQs܉#kZ^uimr&/ aÓu'[n'mNE,p}aOM]kCK0Q 4 󾪳9L3dǤ${ D]Ӑh]N|h[ `ljMr.Mcj)xYImZ Hx9[r$vn +ٻ;wz q}0)w^|IWm~FW)#Tl]T͡( sHivQtYCqv"w_d~7l!nu m?6iGI<u^jN:x V{O]n)= K0?l6,Mv0nwK۝2/ ^aīu#c^ h9_!n6 [7عܑ_|3vfK9%S0^SSRA- 6MH=u]g/ya\]W',4kX5m^LY@+MN^g*Z<[9T> stream xZKHW(6,LgiԄidof=@$[E ʪ2,n,~z݋Wo)Y$Β, E*Iㄋfc~fbE$+]iϷw ^x̓ɟwz.H,,aEbrW-_[q&bbŒX̼dmR7ُCU̫Ht|4qeGe<ҏ*I:5EwllLXzϻrIz:,WlO.{-/bc‹R(EhuTe|4:r }6ݑq"{7<4 I$sOtbEi,E۲6sW<_AKDƄK[E qj 7ɖŔ̔/TN,x`q ,g -ۄh){@AKD؄]EଳO= A AU!&8p|y*%B45"UEIbOhr컵9'}=N,OS!-hβedghUfUPA͢(6Іv3S/g)4ex%~xfm~^hÃn,,Q_qnm<̮[[ci Œ'Q#F?z]`USg:ftR)=?QbIcQ ݂qHrU.̃'nJwk-VP~#ٗu[)EJc9U9{Bw (Z"Gu1>zHS%'zvMv!SUαE-*?Ȅ3uPFB?]] X,Q@S%5*A+^so1 [Wm6}2t_OS檽B2&;XW3Nh͜ :\+6.Irr} y,wyxя1 |y67҈7(c)xlʗj{ם#"ހǶv.ʺr B.;WdO> stream xZIsWHMmn*Ԥ&\R @Ȗ}ҍMMѲ=Ѝ^p\_o޼{/+<ʩ+d"1?Mⷄ*V<}'>$)~,nʥ: j^5[fY;H+%E't"Y6U [yt^S]4jf>yUa ;U>8J+^+^ր-V)hXt]tַ}mq"vH*RAx[Yh0P#O<wQI[>~8 X>Ft:hz7(qxǗUMu_Ռ4#t^lgR= '~XRa󕼗f"򙧮8­D_TdiIzk_$LfNIїI{q}: I"` Xe1|oñy q>4 8N;`=uֳ_ i-X|т0i>ɂYP-ڢ; س'}cNtZ8iKյSq8PHzsK6D(o*H7%d9_̤rL._X+p!i>aؐ0`jw|o+\4[* eI;ޛ c|LBDjVyHn]f{ݓ'؞x,tnvJ0Ai iumr SeZyf/\Tΐ9(g|2~mSMFhJK?XR>Üqþky1Z+X gZ\$~9Hn-ĵp#j#FmT] ~i!J%o/S7s)ƭG4_~r. G@az߀#ʜj@N">g𚞷gsgzNCg|dt8^3 Sz(1|OJJZ(^1S-<˖i/j`8ʕ9t]U s;kI&29&xKdv9j*EufdHM!ppAʘ(JC6S}t@1" Ҙxd&Kq>r5I~Ekdg\y3ZQa\y8ꙶyL0>*%Aɹ)|Jku*&ۋ z~E#́ۦ:*W4g5_vTZjn ձ<ue5ݙlJ}ħL-ltPri#| fj_ )4[ᱵflUyLjZCM-moG P@:Qa87/gTRaATDTx+bL(Hy(9fb@>qjSh)Xij~Sԇ;b2&ܷe= .(>Q fX7a$T7[O A' nWuhRFP#/BviEW=v2 \zK`l>; l0 >`;;Į~whwV"ӎ՝ }d0F=a݆| }͛9z%4/RdS~1Q5FPC}bd2œ?> H JDQ8Sl-Q(.fOk*t"pq*.8K7쯺3?[c](JK]HPtbYv(q#M(ٚGwP_T0];dSZ~Q?"|zoL:I6}A~qD0-ךC#E+Dy/7"H"^D[3~k=JdڲZA~֖&.< VuyG? p[&K>=[yP[m  x[%VsQo!DmU0x((=sk3 _X톮zL&{_)jF W\?Tɍ=@;弅+?B'+1kbn_3CL<ꋩ1ߍHV1cImCLB\5+[3g 6yrI5q؟͐قVI7>'_> UvkqĪD+h`2 8-2r59VK!Ap/ϭ Y)C9;mq3L̺x?Qa-P  ,l|YYC?^)pE3p_:<(E5~^%tj]O csHNw]w.>f9>bSg/AB4sԢ54J u]nѾed" ?P.O67h_C4q+vǢ0VMIy/^z[InHe.JsUG?P+_$;),N<Pj-kWYh'bpZukz* [U6ETY%bc$G,gu,oy&^g&,ܝ| yR7),>yg!2C(YΦ)S\ $(iOӞ\ &|Ioc?rdh8?GH|aS}QA(]՗]M@Ղ}84 AKGiqJCV42+o=Ǯ endstream endobj 3137 0 obj << /Length 3087 /Filter /FlateDecode >> stream xZK۸WNI'G&r&)Jb-)*5ɯO7>ǕH<4uCt_Ot껷% M~|!Tv>S7wk!D [kmwDпKw|s\6iUz25D*Fb vAzE=Y@_1F8N_wׂ#[3U.-Ύ1OmQϡj)QtƣԎxǢ p ;6;өqCͷnH$I-Nuumzܦֵ)e1Z&1 8|DѦcmK*8"'Ja'iU%`b"ͣχ8SD4Jw3 WqCGV.ecڢ4p|mcN)eetQv!Wc )$Ɵܪ'xhP gQk[٥cz0g`niT˵ q?rs/rh8&~,iYl?z%5;'Ibn){걢 枣/&tJL|Qa}W-}BXw*jN_TT#Ubi6h~I4DH7bPRVԙQC6TMP&1> )'G9DDxY U+'']a kߤ J88{g?Ɓ浇ݮ.{qfŪ?%|@ $|̀@Ak*!?cHod86˚kul, m`ӥmCiR<I~w" T "' Eu*^ hW͗䇥No orU5'yȫi _=*-{JX`݂E8-!~"`B9rHcUJ`JH[3Xhb(}=5pɈ ~bFy-Z7V9׍{(,4xҦH?y7skY>,!V"=ve{\[~?GOB:jW Ԧ#V=8Ӵy_NiVACO:4!9{P nݸB{qu8+qXĜ$I2 ߣd P^/i$KW͓13D\0x&x,Gmd0:d:YqQ1SATPvq ;-U 3lH Uei4 m vB $Sso>.˹x dAT#rfP5cS%px5ihјOueS|TƙIAN6$';_wֿɭW}[PT g@  &.zݥqĵCb=tE`+ ~r}'SW FkҐJf|֡,nՍg4ti{ i!춴(P=rAX"BEey 3G!ZnX[UxONx3XbItf$> stream xXK6Q.V "%!-E^4d[^ kK I$-;á "#rf8Ϗ_tճBg)Of* ^Vo/WmY ReV,)-z1;o'+J%)W qx:R\xi `D5PLGN˿-Qh_guvR#ѽ^5clL:ouiW~7LX,#ZjɺswE1 b#Okչ\nۢ*iV4u_-pGNE{ѩ=dnv)/q[8+'\pj<܂a2 g_rpA$Ay]@iPV-jwB+يBcRQqc^H Eve8L8vhfUk,C|렵FTLƳ@d7ЈDmFHB([G31&dQ_Wk- [|dGfum`/Aw v2Ƚa5S ě> Nzs }.-D|!UXm5uĢjf[J0*Ńk[5a٧NXPd1Oh!'f'JAgPt.ǣMJen7^+Đ}5nyBɝ8܉c,[NEؓr(ˢuɺ^f &FuC2̛Wț#cHGuc=s#:aN.,+|" g&C/Ev}MruE (;6mpC%8uG$!v& 屧C!0Z-性WqAX$(B2;ZԮvoIӬ:\l;ڊ$ fc̼ #1lBؑ|id7GGt3@Uj3Y-2#mvm ^3 5?C"g3!-g 80ǘkhՙ"6Á^8hr;2bӈnv\8S8 I8`:R^T*B`>IR]9!/pnCŨ< b}k!D9FtYhLT7Mq[BĒRNt9w{ܴy G׭w!E.<@Ob`<-d}y 2}\TX&g}aa P^Y'n1;|0dXP[t:C.*8}^jku(E-Ç[DG;˲ڞ&kVZSU)bLD!Sh0ZŇ@2:0Y: /7P& >mm +xcsxX }%MPG mWA;Mj g-\ ifj% ζ SuGd|1>aJ3Kn ETo'ʤGU B6~p225f>-} /mM2JS& Ll:Ȁ5`4,4$s2slV}B(褀|B8Lࠜd~юNKY vKq5z~qs/*Me endstream endobj 3153 0 obj << /Length 2837 /Filter /FlateDecode >> stream xڝY[ۺ~ϯاB.bFHQ:}H&8i nQmڴF\(n"p曋M|oo߼".$7&EчS0nM4lɣMG0(wUsj8ğ>z?(Rdi246Mz1M۷JB6ݡ~Չ븳DSX?"?wvt͚VJZwl.(OrK{)!5dHbn* T]?C/g:0VY:+'{>D2IDJ_Pܷ2ʅ|F/Y7DOY@LhB{M'B@[Hf #Jvʮ<:0̟v%9ML !Lݕw06<N0KEDz/nuֵ U8ř:g9x$y B;8'-\j})́-70xnn=>UuͣxWE~j_vE&/adX=?\9C)!.sSR"f]W"JF=Z7?Y ^zʐDdEh>F8ɟ;c+ESW mmE"MRW%j}/$(BPၯCv^r+ʯ\5`KYX^ kB ~5O#zYŋ&D?FTn##gv6CY5yNs`v>y 'H_88whA<݀@k|$wM:{P#,(,%qv4G"do9/ĩsȓ  IS_SxHҊǐ9>='j~m<;b%w-RGj W]&+DlH_h?J"򮜛ZJfĔ48ɒg<"//7nKՄӃbzQ0LBrR *&WQ{፳D֍'kw]iR<[GNP k c ɀ`3rKk{?Od9H]ˍXiW1;,Q=‘2̻׹3MH'o X9̈<x4۵SZrGT!LrshS=E%KBHCPb@aJ]p]oWUj ~EPws\z~pؑ_pр %7x;tgB/1"Wj ƌ|r|@[( K+hF@:Vz9 #`a|Bk`%[PgaPƫ(cfR `]ù1+X̀7dHȡ_%PX]f c">5n&& jX9u1Pѧ!űR;n}ppS)J%J爄pRav ' [ j]`)~ʤq]m#,|R;5.D:YNb~_uP6et8g02`҇!+[<+K8suvf W<.Rd⪅I̼HTO2LԪ h杗!`Q|]y-.fPj%v rh%sE*nR=mkHa`0(] ]83UP'~8Vn1kLCPl&B&"#V&,zMR<,)BSlP:?c},Z]Κs.@ۈ[exN9-GA!l(3Li{7 SZPQŽَ=@v#8I09*5/ضE:{0yoᕦۼl=~)w #)7N߃`jiE9V 8FJt9JH{}eKSSqePNpV %BRaPI"԰ hxK1?<= GO-o1ux=F' 4?0h!a59jm@:?M񢠮 aWџNeIYG5r<7Ldː4B M %3m3GwuZ}p6! Hu"R &'ʹ 燅__ IS.sL"3q=6e,'ZQgBioB@xd2DⵚjٮC (쀵M7΁Qg.d40lb䬸Rnp|.s=km8 6̷OӹC S8AY L߾/ߑ endstream endobj 3163 0 obj << /Length 2096 /Filter /FlateDecode >> stream x]~Z98sIim).$8hmfOl-3Ö/{)}pf8On!|7*^()rvTfBxY|D2[[Q8ޯclHhCVEii~գ5GHQ1) 0pO3e |,%t=J5G$*<H Be4aHEʑ0+%(ح;œ^*aXjBڛJ+T0%w.x5v3 oW4Ŏ 4k)$9Sj8QA_*)W*f;h,WQ^%|>́UӮ85eo=-Mrk|c HDR},hjShqSt[<{ `'ۙ4pt MTuGƼ45ĉ@g$69T?+-&qpAZ&aI?6Cg77t=/ lil=m3쬊&a@QŦhq4?npr#]]k =b<1b'|OTY1-Gb8Mר8Mtzz4['a[SOuS %KCbr\J{3{m qGhqb bE\&5t5tS$᭧F˶MD7 H9h% E8~4DZDII5zlSUoȁ09r`̺W2c]p, Z [Cr#S.h_ A+sCoF)!NL_NBz\~8\-ڟnI-NH`qȽ0qObKY)qwvG4Wĸz7P?9=_W3e.pNt5eWwKj.m&]^RYt<?p= эz±y[ 0ʾLBIpl,qp+;9HtdO1ivOFGф72%Rك#WU|W2 4Xl[*+x8㋳[pjGX`BO>T2 t3y68! vN8Τޑa5b!boFY՗3C%Ew=VxMB#dg YT? RA3yL4%g5_[_iE 5'q8k.*mC}APtr-'.in!kD@3Rt_80[I-ʷ}E P<7ZrOvlكuี:g>FWY:ӗSl%!%4 bK;7!%g$˞|$ ѓ\(zcٱ$dg g܌ \$B|Wyg];uˍmgs[W7GƳ?v~^Ny,NAu19+޸R/C!Gb^ psEҥ}•@w+~4wIjPI~0jjSܽm^'fClp՜/{.y:0_BwſM؁/{:z 8ȉ%2>D , 6fc6,?H yoc- 3Vl<t.4ؙIщ$c1~(hk`L- su<0c\hu̻ , Kz.Z^ϔȳzѾdN 0^^٪N53fZFw/]Sz3({i48dpl,]r^zI`tx 2n逭ٵċpȯ pQ7y1":+LxK3!cΛ3MEA6}qz +l{|c$:zoj uhνFQ)f+?< : endstream endobj 3168 0 obj << /Length 1383 /Filter /FlateDecode >> stream xWKo6W,|(A$-Z 56E^$AK\/Q=(;PZmB;$-Ћǐqf80^ݮՏgo.(Y8*㒬6UNWy\Dq6Up{-:danMƷ-^_IÁ.y۬l~"RI(c`:X\zqry8Yi(aJӀ7M_]7rײӯ4NI5 e!aQDI\=Wqo# xxCJ cuQ\ _Ƴ -FԇYg8r=Ywkֳ +)ڢ]*9ofS!gixy,Q^c ^y ɞIh?M-nZ"|.'a_ t)J5t+U;\w+E6F)P2`H8md;q@:syk>l(=lHHfvM\u߆p'iwxe7uY)ثުgw}tk{ΠHlo1< 1*),ͨqV I0ZNR pߢGeD :~m_JȨN8ry=8&Bl&H03洤ضM0T<6~yա/"\N4ϟLI؂Y$/?P\۠Q R1"O!qozy)mnLbcScG`GvU(^{ɍ BmZ_&iѬ2{9Ç?΢%N4!c:HG:1,s sߐ}~!H&]A2da;XQ?O}+GuTx ^7OilF407u)(H"d"&/d0/? <2rML!c 蹺ƇƐ 씺6;Send' vXMuilήp뷪o$H{&y< Q beET&$=꩸C;鴼v-nvfi0\{I No"a̔[탩 X53&K"7He2 @cU0rM(Er WΏsY-+1Nܣ Z7}%l cW~94!j55Ռuh0v />.MrJ6.Cφn:pcڧsǾ]a f=T]߹f␃9ʞOr9TٕZξ*5F9#|w m^0hn5Tt> stream xڝU]o6}ϯ2`g$7[nma}1Їu0P'Rva}H:-v 8sB _~Z]-̋B <ayOp귫и,xlzA<[jsEஅtdq:\uƼ$mvϾ%B~ԏkF}1_0 % K'3x'Lnox1F;M'<,KT`% ghq)^l83䉴 _FN%/~4H_ZEM!)BTʞ'EH0HKWB 3H_dG%W$ V4ƎfS;"[yY4t i !;m)eHkFq.9.\r?nxOҾYRyn=>^5lKjT :1?~:Xs^K d|YBRAāӹ1q[ tY_|p#f i;8a|5AE7%`Okj4i9599M_-ZOwqBzXGzRzץ Ik3jeȡV  ^I:T?͋{(3aM;5RR_a@-|$[ܞrH Q80b\Hj댢Φ Vپ?ܹzVVRHEhC*>tf7aw+ҟ~X] endstream endobj 3176 0 obj << /Length 545 /Filter /FlateDecode >> stream xV0+8ª 8zjڪU/h{h+d'A%ʐ%QDnW{@{3of X8{ܥ HVF! #Ɍb+-}Fead2ˋLa_a]4j# _x[X?O"$@ЙsCCx@=m8!\e#DdKZ9˫c/ :߭B'@xg{JGzjpZ9ؑY`?օBėӧ,T=qAE:"p> stream xڵVKo4WDwj\?Axh=<iױ~M@1UCSr>(^`"hh=nA/1i/Y50*1:cۉS2`,55 6muYfo扚}W6Gi{qHzP6zߊ`G@9k:*_fmN]3*>6xu nk5ۢz̸1;=i=@)u"HH!UVL_[lH6^0$@2x:5&oo7/+SPҮ/>[UsU$HE(<vhIVХw w j<c.q(_\*DzE),ߋwAp",ʺܿA$AkW ?Wc Ly:sơm =)@ 'yI1I,Lr^Y3z4GyU~)ky\"d孢=LQHbY tPܻb 鄘 bKހF8xIYY鉒jӽDXOێeUwB|Q'?$ S4A0y'r|PbWV!Bl-M~(+m:=Y q1ogj[f܏?8[SalZJ٣D͍kg.j ʆ6DHZlL8:ϸo5`=Uwpo!FՁwέcy槦|b5;Of'>)E)rҶ7 K柮Z2-S櫡 \sL}+sހϔ6|V0u\sGf |2|"+7I20 e5ӳ:U+ʆ F#Oo#G}aukI;Kr8<Ͼjg]g2ϞjuNŸlDϲv~0Bt )Hq:5x7j{_ endstream endobj 3185 0 obj << /Length 2541 /Filter /FlateDecode >> stream xYKϯ0r6OQ 1Ldi L0`r[2${bzewOf\l,VY_(x\şOH<ʅ,7%;ue\),x\,+#ͮO'U__/?"X6* %RA-I.fJW~8&U]&yLeE$]}˕<)~ɗM}u*JFF }k+ͳOѝ[J4=ReW^(v"wƝVbFs) 5!:4?VuR=8zdO Q5<*`7nGaMR7apf;#!ԏ;sSu]y*aq)XnH&"$Oo=csS 83QBBdH 2ACDVҘ^ ӏjIG ,Li!NkD~)}mAC&MTmgAh!iu[Ys= EJ }?I/)9YYf 8_Vz"'Ld".G-U'>c{TT~h0m5Do9 f̈^34D\9}m-Y{7ewn.@1-&ۜz&g蛛Wq" U,d2MU* Y8 LVh&yh,5#p5"]Gq1 ;gx8k@ Euߔ>qȤRN2/`ҋb,\qQfXl`ۘÖ|w]݂I &D8b~] T|Cu-w~$35,ݼ v{ dZ`b"n P0 nBP4ypz;_A.+mU*^s5G6Tzi\=v |h$M?g1oYK."?O~s|@AҚ!J_2Bǟc-[R&UܖM .s \&su6喩滛cnYW$Nf5R+ -9xz v2|F3! ] 0ڞjhXWsے 5ɵHH7fQ\aTWPQQrtG6FmF@8Sf&^Xg!<+\Hz7WPj0wEN%{O^HfR1 _4ihm@hs~]@{SXP0}pESޝI ]m_l?ܔy]+Р8)Ir7J;!~1l?[z$޺}[(zH[ӋHGH* -7wb?K~zTlR]M7m=7Ex0j?n1klF(B|zh9{E'Lu'UunGqѩ " ^ez!]BVt`~3E:M`:Z;O%5G٪:gݓvPWA_@[? 8'JCL^G;d#0~C¢CLC?2ަ `NM0PsF7\ rMXnype`Ye 3]ٯ*:I%j2qXRs6o+uP6#e:t(!z8Xh ܭrU(߰5 kq=PF2ấi㹂Ww8駵kpn⚑#/1}'IxGo ("cȸHk?Lf?P}Ӽ0G\AQ<#k7\$cE r[JC endstream endobj 3071 0 obj << /Type /ObjStm /N 100 /First 981 /Length 1611 /Filter /FlateDecode >> stream xڵYK7 W^4"EQ-ACEyE`]H}?IgwӋ͑)8.49!|(E#Vq) Jp7K1f1BRդVQ휂ClLŚ:U@ a-AS*TQ(K$\`ȡvpqEqV8PZSSVPI\*b+2Fasހ D*&{@m-Ҷkh{#("S5+vdTʎ0 ;) 6 !FQ/(<&ۀ]{1SZs1>J2>4 }bb'ܤ*\AeS(PIfXDK!-mF5af#MJi"z, ?m6*)j%i2&ÁK͔ 'k3%͍'CeȀȴ:CTci' B6'"ۯiD@bf"DdlH [䚦&C~hndU-Z#]:` 2ٜmyWnaPɓxqggn8r@~{dyS}=퍻pnxr￶75b7ëz_y/ۏ=}q VZr x5žIhx`:zl CCsD1>l$afO//w8b_MV{}i[67Ong۫&.~~_P{0 ?6$" ^R ?|56~]z >~oHH [}F9 W+5{eZ*S<Gk&+H*-K?OUxFeDU]O|~SȪ +C#{%GWr8Z뒒aK9*ެ<Q{ҢYMyFP1 /G Wu"jgPS{Ⳏ㻷Yt0f3b,6>[w0ᶥN\c.uJf]3f'_Pg1z,QW8b O0 z] "Aw]h6O؅r#&[R9=< kBWl(De<( 9QUSEuQE8+n;ty1ʼn؉M|1&ʦS٘ V3~ļ'iA'AzBYG R1҉\{)|zrOŌjLk_㚟'nv:Hrc&zM5?Ƥ^czش?_ϗ)^%yi{ϴsf endstream endobj 3192 0 obj << /Length 2024 /Filter /FlateDecode >> stream xڵXKo6WT^ČHw`ݢE ziiGXY2$IPwCaЃp8Ùf(.~ь,3>_1Ka4_7[o1Bl,2S#Ks늺zhT/;4E$"o?㜅Q4[ED=5FvOt݄A.,:ǝ_Q\+u5z{uɢ2,U+Fw.czzRcҨnTD:8] E@-@B14%OY%UT"H"nmԦh; w7p˺nٷ:EE!W9% EQQ5%'x\4^ZCRӞZ+C}#0.[ h0bf6Z_3- xFl[tFL7S jrp̿`ai'mRm(MAJpxaʽJѮ'\(=Q#3s7h:ht8ffߪ Oh9)EWQ0ni@z]p, 떰6V+bq&ƒ/g /b߷;Ig\q|aEoGȉѿD(1 RpJA0-e7x4J0U9ģvkimYZ4&Gi!#'Ie㱧*,u^C†12r|4G}DmU4)4+3H +ZFѮ­hk7:)N\MQ_Y% 0UޡĜ ws-Xuc> H>@-v^(+[s^"YƄ m4p& Z!۱TDIW֍B 9'eǯF"-/?2JÐF O(Рԃ+9GLdGHo}Q0ueg[C_) '|$yu-@#~R8cPW]x+]g2wY"IBaשo.u+F#S8lǡp1UiʐEbx1j!hFגz ruM"! * ½)J7츊A!&Tv{wLSi~b<@'=\g!8 C?2RȏcN2`vm(YUN:r WvZ>l$(4ӦzMk’3PlJ똾!鶶 5< 5fֺkNߚwBt endstream endobj 3198 0 obj << /Length 2204 /Filter /FlateDecode >> stream xڭYYo~hImLӢ3>$bMlafaݴ[ Jmw:Hmyf'QU#W?^\Dr%CQ\>hdu_}}]oRzeyCl8x.w}j_od2$NHU 2J&8"tb7*NQ.([mT(Ur$QtU`ﻇaM>B[^F*nEKO:^;Ys?K۔nu>u2r]; nJ96^qjO\;~T\wʑaq쁺\ pjv}6a$Ck'\j)/]7w߲x9xEDA~dTH* ޝ H d;K3S|ޙ#q\9u+e p6閂L")oFVDɃQtA,hqvqt{nu3ںUNMӽ[ Y:@6Ӡc(cc;~m54(;b\87fג{ź3rK<#χQuQ`Y8\:9u(~w4;eRB@8AfL0|< ƚc0W^X<vCʎwN mKp)MuQRE{K jo93@vDGsé+(V&'WLtjceYO|H$2{"jyйTơ :I4`×1eLdTKgL5yEqQ\Q?] BA(1aOhσ0:\rEY$Γ͒E,L'GuksD0i?JS@0\VS?{z7h!pd/YE"b j#R>n ȷA*Us5Ai?(6+ce9$n& c =;"}S`ޭu!T#5#ouV]o1 @w\dٝP+,V˦K]8}zt gt,s)B m  TA9r>?S!B,j[7]Ecq;7 KQat-$B12Ԃ@ XZ}_,'@[ꕤmQ̋kI߶~EO7Mfdxzx>Y1{wPD y2%kҽmUqx8gP(3ly"y6pbf68&܁ò#\x ߽o{7K/P ᄠ#Yɉ!ezSjVӸ}˪rO8؛RW")BI#rdrM,(A "Y 8*8Vɱ2`eS(xXś^}X8lUsYd6^ߨ?NuV|gfv7!Ti;yS>4\eENږ|G {kK*c dѿ=4u4{yzVn2d#'r/ +nGn$RsS@N'&%)i˖"^<ʂT`2o$?$Te{ B:r/Z=:u̽X`|{\moњΙӃCS\P6\:撳e}phnv*Q"Wɡ[/ҍzeJw䑋4/xCpX |.w!/n(C "pjrOBM g WXVxKCtFOŸ1fOo]P%Ph\\4Vc` =wszQKK1U:WnJyL]l%o[o/Ò5 endstream endobj 3205 0 obj << /Length 3604 /Filter /FlateDecode >> stream xڝZY6~_яjcv  l:C&mufl1%3.LcjmEk%P?tpPx;TөC~'tup!qR^T:$p;7qujpV 1"3fl* PnA ?S:%R/"[S׉bEWƛuqwoaL̲-OYWӂIl6ʒA ;"C-7+@< d-K2!J83w4q=~1,],."W+f ȝԖܒ'XBDM=#Y7 @Gac ¦"y p嬊$w$.EVw/pF@ fT(ͼ m 4dB`)'f-$MN=н|Bc@b &!6e@`+(aZ [ɤGZ +x vabIBϦ9hs%Ӳ}c 0%X1Ig%(`Ҥ RZY|ʖ75[PlFX(6Ӏfc3?7 #CU$ NȈuH '+':bX`Pdm^A=|Į,/ܤP!vPEV0boH;i6'7ayJp*K"] .ɩ$d)+S/.Q%l 3q慬JFlK=N+Ձ]\.g4-}7!lRcy%A?`G=/N/ׇ-ltr0ÿoEy\'G 9Ġ=fz^|sp L0AZ1 jb|jR!K/j -=_?Nŵ-O !&0:/߰AYu|?5y%X/wF'`R \d9SOB]}}^&_*:)KBHxNϑjܔJ _W8yB@hJtz36{n@5*F'SIT> ^+A1%xY1|n j.ֆ+^θg2A{)}I-$ז)sٴfZ^-yqF`4VsEKq4v'ywDBYMM/Qm I}3e \LDɯ2"l+t2Pc@#5Gn-G;Rq6!dqj#?;7|]>r&vL">_ƺg ݓyEQFS#sK~V^F^zpE$9cn_,ǐBwĮE`aUl^a:KF-W3=<<-(NzKncX Ӕu:[}ߛFnwC1$6)jHMáEďXsE0-*͋^R! >:?D=X R(̏@?cs k!ˈWSXu\,) a"8Iř> ck}2D] yD9QPQJR0: cM)s4.Lty.6uj9*Wzx0]Gͭ˪jx jGo`XJ(49(O@+/Rzxޥ7aiT tf\Y*byF^Ltͭk:󮩥[$M ha4X<0ZbK n`;zwUө⬓;"e)6^om% c>.3'xwr~^(ϡǕ@/[\W^vhdWj+ Oc:0R$">&i"s !ggguAj@ni'WW7"P̌JIkPO -H 9 aE yn `pIS& ^oY endstream endobj 3210 0 obj << /Length 2420 /Filter /FlateDecode >> stream xڥY[oܸ~(fh^$QJۇiH,6FbSde3Vq}!5D< 9|_Տ?\]\b%8Ky*VW+huU~ 7ٱ7z DeI,/=nPy".F*JhNJN7*I@^C3UMaXD2 6?>׼15.?:JC&j#% 7~y,|JܯM3TՋ qiLKgjf?;BH&O*D1P/NY?s='3Db4$@Q}Ơt Flq´~]@`v\om' L^f7˦^vֺo[lM`z"px*[{(NVwY\w3x\`Eq=hHbwU 9O,y VGMMs ḯF#DDzeCVօD;GRف2Y&s]4J[ Ft:  xWSt%yS#D͜0@[o ۃwUvkv`GXMm`!>S -!XVݯq:߯(BZ` :BV?/Wo7$G|״%\ ޙYMqKZ(&)c\ADa "gr݂ɓo%KX P ,J}EAprq<,M<8}v~,#AށQ"|n5(WoޢĖ}ޗ{)q#t (BΠNi]&OxAM=[v1S>r!sW]:&>Mi"MfVrY훣OI/݄'˞JL T_kР MAȒ, Gz|>BB=O/.z79$C3@OPUڍ4nph$AG9vG=^-f!.ƹ-wGNy Ҥ8fk3}dpR{AXZ7} nAc }8sYǪ5^b=SԢqf9\ϼvj0rO\;NFGb/d|_|Z`y5:6OKudq15 ߮aptsR@<(jzǺQ2 !|is$as]ޖ5LPv+x þϮ6p~6mhNzI E6T.Lg{aiHEtcf.@ԥތ;Rg;ajYwSY"S&]v6&etEɆ&[tUؘ>'hA|.iHa;R0OW kn 2l^2:Es/*vXģ;z|=JZгJ"֞ j9m: ߍO&> stream xڵW[4~_Q *ڰ#Xv n궙M(!;8mz.,⡊힛s7μُg_-x4KϮ7ğ%ޒya4^~wq3,34gn$J'ȹ ng.9wVD/!ۨ(7}uZCߨ(zb]\^` ܍ȹ IRQK_o~}2ЪS6QM%Jцs >GVFv}SUlȤ HWD(nEWc8HkCgaAՔidƪsTӦؽ;f;??ِF|6Þm(_2UU˽ ~ p#A% {&a,ȇJr^l:iv+RRQ6)3Xe$٤/J h=7ԻPt[m-+%+sI-[0{<$ {oޑ켲 +U#{Wt_껼l5םk2]umAFl"c_{#C'E@Rk֦YWtFy{va-ٹW}qI54o;Fp[&Ym\N/# "y9PLpHMBC. P08 l;8wc*,g zr4'2Oa)[a2/h$ ceBh!V Ii}0H&ZנdwTN5W+ԜŃ8$.Y R܇w;B?f!?*h{A.=M{@N1|IQ=F `06x$'Aűo5#.03yGPLEaΰT7DC3A"[sBbAi V\p*6<|2h\-|\d@’C:"%}FmQn!?i/pfފ{8 0r^@%%\iJfԝߔ0iY!L`GPe06]_?R]*!,Ro&9zv9Hd27^#7=909w-L_ǏZS[QYVrSGa`t4җV(>s endstream endobj 3221 0 obj << /Length 1942 /Filter /FlateDecode >> stream xڭXݓ4_a$YLy(s(r1ugW+;q; %V]i?~ _<,gݼb!8x&wE" OWXn7ra R\%I2 yY?-~TDV/w?޼ѩ 1E\ϸ;PFUYe*QouK+lvtCտ/VjtdxezGi2G"drg`*RI6q~ s4˾UМJi G m?JaG}5횝CFw! ~ؾSlLʗ[G;ģkM?‰cs_10d"nACʪa5.MeoVi4*!Լ_s&hPwi]ﻯgXɔ[HHN&Y9Q Y"LOeTc Wuߚ&:)0X0Ek *t>$p߅FO= >Gl˥j^*YcD)HVw?w!)9F lQB56@29s$O |Z]oFZ)1%Y"?e{T6%nt@oV!РYn(:Y{_e,]h02yC^5;+LKy=-W<;aJ2g H8LwkOp?PyC54fTuٷ<@CQ{ '!X&oVRM daQANҍ72/G)-޴x!„dpDJ5"%WysO{j$AVXxCYؘ[.TҪCQw:wN@%2דsbኳ4ZQ=JB{TLj07m)KtVrH?In 8CW[ vB2UqVnu|^hHra&Gxp}f\Ad})MK8hf_֐.B6s n0M=9ڪ6pۡ#$),.^uN'xlp)-`AC?O =;Ȍbtq'/Uba.pLQM=T8ШմJ>: >Ph{kU]JH%74%+TФ5y˝)FVPya #~n9U&v.O=:ZÙ|M>j/T-?+HZ?^ӈc`xT|_י,SvNUYeAGAzݐC0 Gg^}ѽz\t|:{0=7'|p_vLĀG)m _čT瀁fEtȤ,` kǺG?\i>d'e8vמٶ+&YWzv@uYU*X|Nіۂ ݶ$YMK'im7dŢw.&0pzl_}] _ot)/)>.%G)Q{7HO SaxG-.2$`mf[N-!ӧзГ G'Iᬰ͝sɓEXK@k_¦'AmN@?z`$lK@ 6}h.N%'[by;HK Z4uoBϵ_ < endstream endobj 3226 0 obj << /Length 2916 /Filter /FlateDecode >> stream xڭZYs~_P[ NVf*q9Ry߲)Z%Jc<>h [{` 4}|rگ_?Va,q`vLR4q~zFh+99}1Lc`Ā$&x8ʿq ukҌKssг.|{i !9GHT]AH Ǜ(IZ)JJGI〒HI06N/@]OSäU"[kJs1J=@ҍx&υ{%s@:H)1tDn==&<Kke p RTʄgNX -ab Nott|x<íc堜WQFzG!yYRm{Z@$\) >.Ԗ %]TuM|9s @QG_ Vsf|'KK*w}v2tK N%, +e3a/.6uѿV_ & f"ܑN~7+h@+2AqWHDK+4]Dn߂{ --]!\OۊGeR5lrv(#*21<8DV2O⽴ǾxMeʻc7_(W\ /I:P"M H8ÍLrbe e.\?XJ(S̮a7Z@8D+9K˔`KK]&9\SXb͋~ɿk |coh{>fAhm)䑂I 䑊ltOo"G>Ht Ii$O%MUmTlʔYǜT_eRE"z 2gGxiF} RAh8 0+E}wp"b!MlIH|ج?3btڊġ!M(xn,E75زj};kSu͇3 -+ "̸[dVj^kᮩhStKOJcڕz&ZZa|P iG/v6eZ lBk:OZ{s~"l=?Z=fyC.=q^pct -E~fv,me];Vs-v%^?!V ֨|B fv6$6ǪN>ab@-0TcPD8S{%4zQuKeO1z]wX5u]馃$!Fb.{{!^]nKBkg1ԫAL,ٵ MuDΨ22>!CpVMS62 &/zJ"@]G!X۰@F DK@U6.P#<4dETV&Dǧ g*|q0VtB ^E9̘6=[pZ(hNF0il:(Hxu P]~ݖ/cZ_{- <vs"uٮx{v@mMYw~lGj 5j{zLbjrh ʹ$dX"ء#DM3LB̵-( cyɩN32Qfq&)z@c_lIZ}k˸o{)wl3hq ]MU A6Ñ> stream xڽZYo~_!%`o⍃d"`њh;C$geק5у,Q]]WՓ<$7pQI\$d&K8nw?e{1D*o7YG?շ:۪~a?0x~rESqjR0Za7u&57ę+[(o7VQW[ZU"Gvcr0b{ϭG<͉vsnqϰ(C9(v2v%(\bT.FY.U z[?]qvffYi(Uc/`Օ -Gjq1TQKvs B̓źxxm,vnuSϔ^<*.&b'>G8DhvHp)ċEPf0jE؃ ZChts]Y=aN< (|E &h2s)ExMbe0=pji”L"gCvu f @ B#'0gCq!,7"҅qniyXm0"d;<АD_dSa[=I>]) hr.NZTcñTח[@Ε?#T) EpG F(5Lx(6b|Z:B!(f-YjjIe::!ÃP 9ʇNt6>ǧCY9+ +)E;&4`X>KH| ]R$BGȴoPG&iF ?QQ 357Цmyih 4 ᧦wJxO`Uhtlz%Ў-_ K؛MPbBcQSB5Vmbr#E|1rN *\Q{=%3qI6p jxTƁ"W:`M4xk9fG%Ƈ#MbvآExN ܐ^\!|C X;B)͒l+Yk0&Lx3ʟJÄy HRϽ|ekH ,sBұ%`ѭ T{r$\-TYUlC Z:WǪʚnk7 čӯuT=Ϝoc+(Ht]ikp^M~8ύH$\LIN~CvX|тLwؘر`~ QF&:@߈\.~yTNxuݍBWzC7x endstream endobj 3235 0 obj << /Length 2390 /Filter /FlateDecode >> stream xڭ[[۸}_Gy3$Z,MEawahly,Ķ&Njlْ葢Hx93蒜e|ݞk+*YUMj1aKbh7L{鳥߿_ϏuGv?RnN<۔ KYX@k >,P⾔Yߞҵ)ٗJ0uwe0iw08ue>}h|5SgrbiwE3\t?wrS6;nr3TیK]vl{]}~L13+8t&b{ϖ}tpy=?f>5$kCZT?NBt\nx|`f X%J"RFïhۈiڌ5GSQr;]=K~H8ԥ:La$z]u5y : ێhYLɔ{㾋# Y{\ 261[AZ` AiTdd@O39==̀dAv6Uљ҃t` O7Dh] _y6 >6= -dId%h2&em`{8V C7SI)g9Kv_A{OO =`lytBT{"Hd%;#Y/ٰXJ& fq^OwdNܑY* .tCDfQ'G`2Ȁm$!.t`9L;I? ǀm !tvbPNbi@h#5Fw+N`'B-9.G}tg?;ɀm(;4G7c?C\a _^p;:ifX⾺D$_Aiq&XKxs2}`~d6{SL?nD 9ΡFJCOC2}Jvc/(j*DUD ܳy}/}).˩^ mɃ^H_]R`vs紬vmB_u敽#K0\pN͹ '>c:{qWNm[{ܼYz\+R!!n.jK`Ӌ.}i%2,K⧻ 7 o^Z?0 endstream endobj 3241 0 obj << /Length 3057 /Filter /FlateDecode >> stream xڥَX=_Qx  2DeLK'=_ٮvg2so` vyWoiSݟvA6yw֗`TqxN<x p]/ Pzh^`~cV٥9뫦; u ~,;o^%+Xr$'"˹"yO\&>Ǫ:[5S+ʮ< ?(V([ХC5 yV@OH<R3FDHgdt{]U* ~  *Q  }G}B.3ҾW aEdBMU:k .ڥl+evu};MGOͭl3v*|s3ByjUaJ}$=N$ɒ+I4U^ w`Y$OXds LϢa"YA1Aȣ G> v~+G{*~H("$[(87 )] #L0q(BkAZTlP,:^ n D(Y e5¬YoCfn^ٕ\řGOY;uzsǞ-dcDxc-mUeg$hpcWf-TdCr3ܿazf"_z][˧AS8Hts8貫X(F LDBDMUmNMgf[4M+pC&E.aY薵=/4j ,2bg4ZS_S?Q3b}C6aj+yy聣mhrHČ'5p9pw+HKǍ;LN`O >h'.=T C+ ƠّB{/BJ]\ե}*+> Kul#[ߡGܵM=ccp+c25ˣfMT?XJ22HK}@Dܜ^!eu~hDwl|w~1f*$q n=6իbn {@Ŀ;FtU5e\ =NT8 D)L!(PB ax!\@N92>r@TdxMày2&4B [ߡ0K%WG( 7L1!l9uxqy&0o&:6$Y35q8NO'ԛ-jQqpG&'C.Иp*1G4N,\&´KK[EDБgSq ZBrbEyʆKHP`Ǽ-H!NugN=Ja*yµL X&2N鯯̸%Fl<&ȧKol+.ȅ]'M~eBY.vڡhjE@:\SnCQ5J@e qʆu] Z7c+Sa3Ai 48c] wu\ '$f<FG=%!J N<lzBTgrc9 NJ(60j263&P0 + H[dLaB0)Ù$w$?,Op_pc$KGO^0Ubxډ~g:.~NߑoBanU m. m D6^)Tx#{T@JS:Y7=y[IS0  `,+f~SldrzR1h N? #;fU*>onU Kev*Vq?z)0tһ2oxܰ=y?m{Ot'}0}A8S$Qт_|Z5u3B WM .n0bNܕ6Py f`eH? #}"5}/hPdzZ:i|̭]9!wl,:T~.#oݼ?'+vD/傅ZrԢQPC,u}YnjfPf e Y75jï *ġfa!ĉeU2kA)Z0b*a ?#̼tҕYQ{q"̂e*$XtS$jf@d3A4؏FᬿdyЗ+t듇#=[xdA(isD鄥6Q5P0Ũe$P0np{PTֈPҗ>0!.F T2f "^j/- jsxxS~ ΁ڇ*''ڵ0/s"{WJs>fX]!ioj˯Z;⒣ͺpV4 W~-.} XA8(X~ IR_gISpK7G>as wmSb農)QEKW6]^>yi徝`@³.h{J! F+ S_|= z|ym}n藺%K\ç-kW㼹 endstream endobj 3249 0 obj << /Length 1596 /Filter /FlateDecode >> stream xڵXYs6~t'BHNi=t$$\N{w ERm%X.=aϹq<dz^]{,2߹Z9 w/e^9WK/g=1˂ؙK.,7WU-BW!*B*_JKVf^ln z _]߬})ɗ,(gܕ4ym -jξ~W4F/P)PdeVɞA0oOgaltj ۲ VoeZ}>diY"o|v+TjB G*{1Vf{ͣ#f3|z]4 1j!/g#s1żgSZIB”\g+sU-i(\W^.i'?]E?.Ħx PmGޙߒeyAêQ:׊FO)XZAO]{,:"yk {.4*Mch|?n##d}ty~aǾ+Ԓ&R415{ܸ\$)'J.¤ka(mPZ-yS[z_)CYƘEIYix8xco`e֛")jՔ6>I4e~2RyjĐ_x5AO4 1n9e4Isa3Bpg`Fhe)qp"<nUèBnڞ0jGK-OZ$I;0fb'1ȎYbADs[84wnpSnaJ> stream xڭXK60rZZu6=$! DB$Rn}g8-{4Ťp ,`կQ p-h$bS/>x5WU^XU ;V5bOk"[]~y:L$igq2;(]WkJ8MijE콀 k4i5/W frZ-m7H*״%V=Wְùxp jashsk)8*X_ Va짉UrzLM<}vAǎ1Rѧjma|GSDqpGA4,噻xy**3IABg``4J /i2|4h@# v7{͟gsz8loa+r6D}lOtHM0FrY;?)Rg@PH0=' ~%nodv 㺳y+5"!<- Ls !p?wUJG/Aㅥ!x9&Fq C81BM"%)3ҖS.cQV;̯Zdn\`>r 6@D |al ~J`QK[7#ѿ5W<5 CY|E>6T% =ydY(ڲ=Pɶ /&F.X Lz㮊6(D SrD(GnkV 6Xx{:7*[aWs;&VS-qft'*r˃$(w\nb#˦АkLi44ehQD/Ve' ̙`%7tF8ȏJ L8P SaxO F'N@rj1[`aKN! aik=eALZ=^;&*A< 60is'%HXk-.huHv3aM!F5܀?r$h1!zfLH*`H2;^F(d 1.H2L<#0Q;(`T2Rv̝ޢ=i>m&S:j^ASlv[ЙlG=_ۓI,$ڵEaDe꬏:Kzpl|z'?렦d&b0EخL,8Vpc}p۴S#P n67ag%fM>$Ď:-VeAo ?J.0[ %g\BZ׍$0_rִ`MpM#7m,^ݱo9N53f06|b%S}/`/*&Z`z̵\cq)CHe [Zqa"|q.|fh`/rYLմ`6h ”gk%@ >Yt1F% 3÷!gnl?ᅩƬ8WRj]oT,Twj G G*x\Ww\膵RΩGU[G5)ȹR+,x&,| B W_Yaք:ZMe[Ƒ7.QDz}Qy;K-Iu y n4}Q=5Mܡ85I|$[xMP/4ſFÜW WF5@isx ӷsPjs/JC endstream endobj 3259 0 obj << /Length 2534 /Filter /FlateDecode >> stream xڭYY~D#$nd ŀ#F)Rc[W7[:~ꪯVyD?&2*iMa@lDOJm8,ThQ%O.Uba4}>mw:Oܛ8ps xޒ-8FEaZ&|̾jUEvKX6H6 ¸W0nX6/SeBS xXi" eq1Ke: “  YB(nz:3"jWQ!>_G^yig0]'t'悮NWy \;a|k 4 rW 3t4Tcx1OEL> H 2=;;E UcyumFId=#lY!)upjG>sHǃz* ꑩq>:+ŀq" NHhܘD]mZdީkVLx(4@ȳvqb(%Uh/%j~1j Z8/fzf?]ok P8 *0}"IUyyUpd0n<. p¶:uN00fu<…svPS ;<]8E_w'3cEʍ%EGs,犡\qQ!GbƉF5hMȟg;Ȼ+?a 7u7 hOBX .鎉ʰPr*\-(PPr 2Ts)%[G6(O0I.]6]Y.K 1^|9"w=8Y@N_6W_3;'#`k9ϩ0Gܘa \S8eE9sEIrW:%l:F.!.Crp(" <8#@G/,6-̸PHk}RYCaev?"լ/Hn]#1L%M]0R\syN$,,u~\FT-42)ژ js}}MR) HH6x4yior4\gZ `=S0"m8J<"Tn`d6M 2$ϮT_\yo1wm@{b a42P|{zS[}rn̟6kPb"sf-@tNdU[bвSZ4=r) G BI`a$N㮛FW@`Pt`B,027Jb.Rц8iT,Ph8 qfQ&rDm#HHE:̟+AG+izS G%{)3W+ͮ:>սK^jbVE#,NafI> ZW εKcж,¢3'*#o{X6 v>_A&ʕ߽"EfY*5Q4B|`G?< 4T;a[̷P"J r;lR6[`->MI--SXWźd'%498tEܢ.Or.<hW*Ņ;5fIT&߈0O"DC΅!0BKlɡl؝iQm)Cosq%JB+:=xʼ7XBEU/NEᜒx`k~=aI..J!nߧ9w'Td_{J\9To) ȩ-g!i.te#vݵF4~vn c? -@a&i@0_~ƒQP! kenc,91(+[$o-ih]su [|Go&뛪T\} P%;D\y"#Ne*t|*,1gR([/S=.@$FQ[~*Z짥0>s_{oxDbw"w0&VaR.d\PJ(/ӯa?* %KG+}A·NJNWigv Qol@&\d ZCn_Ij ]n&d endstream endobj 3265 0 obj << /Length 1597 /Filter /FlateDecode >> stream xXo6_aIbYԇ%wh l:DDdɓ(}w(>ywy#lh M (4D0 ; ժvJJeD%'jU5"ft_f =^ Чя]o0l#AX*}8վ9UiFmr<-F2hN&5XjŔ^ӐZqu@ EWM747Te J!ʟY /"#{@TMP!\F_ia#1e~;ac|M%V6.d|x{8x`r0kL3[+Ñ6{m卨Vo!vҘUd"Ey[uL&i=sUvRY=NHau ֩G5}ST{NL cz~1UUl宱@JBbiSp ILlC:qGhjE|KA-*xGir}(*ɭ#/zb~D_#LG昶00GciN '{pa;Y d+GAki;m\yÕ(V>!GDnh@X63MLQ>[9- ;`ރ "y#"&:GbG g# CeԀg:vsʪC WȕRϕ aFˁLբr7 C`X_[٠G^'*ܽ+ Bs'婵4q~NS7O\B[$s5m0`'rƭQyغ B(0B@^v|܆DO_Z4H/"E Mև(syyvaha94Ե)sz(3Yh~}XDP f\+=i3xVG|)}i9bb$ U?J/VaEơj~fK2t?nlJ ,ͲfcLBJ'Ӳjs~DD%KRL&kR+z4ekch}-gFX65&JB#=tl JHsnIhIz+f1bY}=|??#+1-|Q'y#Q*$N Eu{F叩> Lq{$]Rt4)6u sY֧Gg|:OY_Q<^HtD2]Sp}bA5E j2 Wc+w"4/ȏmoZaQwnY7m3u=M Ou>h۟k85jY6 3ͅ;Y^qB endstream endobj 3269 0 obj << /Length 2060 /Filter /FlateDecode >> stream xڽYK8#QlfN=Ss dS$d9=~%I֣gNBȲYEDTmCvOO5ٍ[a!k3aDTh5mP4o-*pS dr~c'"nOaSxg㫪!r{rUH'DSf,+ݳmS^9gWxbFmJVU-wwj#R5E|uv&/`K 8:%hO/~hwRv`rW^ِddOX*z?h_ 4q+tӇ,iN,,UY#)OKx(4lr&V"xtRQ=*†BK_"jTXy!E+l_8Z"ӓc\`9vŀ`lz5Iܡgr~.r/fҌ`ov c~ wUoal*hPn ":sـ"4 R~y;M&[BZ; "D<^XL[u%LM`BJ)VǮ]}5* -'ew~#bPds%,dPgcMk/#' 0rBrCt$ö0_akv ԹzG身x8&N]4l0xXݷuMYmKi8^@d/{?`R-dd84жAUx^pA@\=G"C05Ƞm=,.?@3c{+.) z!evB;L &7{Ș;C„1Yc^!:; h;&w踄we|l7?ɷc: Q2pVPX4 ;)䳰N3e̋^H'/javs:#fu0D/_Pz-ʸn_B*]OoAܷOX(5^p2^ppW|;BI@c xpp.ᾴc;aV}F"%荕Mu !JwTTX/4w;SU=laE#< 9|:֢YSC.N3itL$zy"ّZ A%Q5:݉@{u`|6`0\iY>5.3EtQ>2Gd51vP75 De<,҉b2z~IwiM+8K)6G1>YVa 0zzVihWSƛ%|5Y 5{!Mmh ~..(ս9s pNs/ 1 >_NC{Y'kpKWu!b|8[r4SG*{SJigA 3Rg j5<3zP &ε 1L k(erAed%mbWzaYUپ|46B) Me9nfj)M^WP3"msn;LtT όvW9姮'ׇ6\,%geXtrmc]A\=ި`,eдGO]QcGycϫ)nꡀ0ЇX'$Kewx] endstream endobj 3273 0 obj << /Length 1891 /Filter /FlateDecode >> stream xXێ6}WQ Ĵ(nݠJZ..wȡdIK'ȓHjH _ݭ/~y $٭D~L|W7ooN50 =wU];nﶲ,.esIt)t0{A^VeL׃: Z),_:܁)a\j0Vk[Z0 BB9' >qܞj\5EN *u R쟴.ydMO 6 ʧWݡwLwPhÄU,m |4u_U33 `Y䷍l/b9 Nx|]\G3+{ŠP+#\.S\tB)"Q)Yeqf I̽?G AvQL2Ld_t-ڥ @v6) %hSgSFI`@&lAX\F2m MaI|&<}3g|'=^D 4>Z:9vH'q>*eL p] "@Z7H'êTh9v/[H{i;;Z]G1Ďy^ςjrn6uTN pΝj +52u}Qf}ʘZ!LUV}kӄ-Y`ڀM(C1>M]P-le[#v(uՂUe*s w׿]{y뫷:,8yװ|33O=f7so@>oh w}^/ߛ۵ǥnq]56'M8m64Ϸ5>a΃t`n?v3 lj1~Kv5q gۺS >̒:3 G`.ovC- RvRԑHQQ qpPhkZ5%>p8ˉ`İ4죠 |TmWgo >,~n,1O ˈy.Ru8n hMTujB# @ t8fA#q$:/]Ąg&TcQfjヰQVK5k*`> stream xڭTK0WJ#+EBSo,7iRzƱmv'y|̓=vy`1Jr3}B#M3BS}B&) AyP eeu"y!Ż5wEN@.W5;<~ Nx* RHq4AeJtއIXQ9,Xu"IN1 9V(| ]\ډ1 e˟64%B=/&IƲSMvi7u\@uLQF,Uꚥ2%Rϭ9w)QtV+'$ mpS"Ĕ4il_$c#t1UI/ Xjjc_))ɵDqm]aֶ *S_6u.4\W5D!CD)c.8SuOSUAsA,k 7y(<-f6azt5Kma *-RWs85aZ(ϴ2IÛ2:.A1>:+.nB\,yO¶;v 2gQyݳΒq  endstream endobj 3285 0 obj << /Length 2154 /Filter /FlateDecode >> stream xڅXK8ׯeٷڝޝ409l%ڏ@r"8 {I,H*7S?[n$.42IEٷoI'm;Y摨-Y\V-fq%2<85qmof:oRD/0QDˬH%'XlwByjj̒H:#Sډl="_RgY, 6yb〥*=M]nynV""&W5xV!0sVp̫i;+iZkF@Q:ɳ2γjl:m.)#3 _Ug'2"eAWM"$qp4%L~lY%02k5S k؃h Q`*_A7/|f8ڙlaаJ0堺 ,(ro+YYEP>*P,*e{ h}ķWIti2)Ν g D~-D }ܶS;xz<,\1rU=xzM҇+?Fw3ZF; >2r`w?tR4j18…FPE#`7Pkn%B`b_Eja,L#=W*Qa A0@g)Muv=>G ɝ| (X טAw`,ˢ(4+zTϝaxz3`[aXtYYKZ4,R D j$q2 ="Eœ@jLAfiɴ>?H8y'~&eְbBq7{hIz)ߍ%d@8v*?PSw!U$fd斁*b6/2{ܥA:uz$Μ5UVa~23(BW,eQ?gs wN%o8Z! o6DȈY,;VX֐VGtHdA 59ZmDHmg$be0C 2pb?,)T̚窾 Uց0\_qX 5hu0Z=4T \K:aɻw&e]ؠ,jNt;Sl?7ZS9xLxvŲ$-@QP`gCJ^Py%e= yx|Fo33 T81"^EY{qsBdd{JFbc?D3& ^PNwpԜjijw"x4,+]+qӋ$B6-_ [wx qdFp 2Kɺ'/H}S%JCMw\롽uZYNݔ s}4mL0e{'ktQ-^{T(4|y(t~Ky lo WZy( pq/Z~IJ9LoH=0yocƮ#4O4"*C8*~ NlXq7>F3Oӷ+ ݣCWHFdBuVz> stream xڕYIs6WmUn 6qũIUņԨpHIί&ejx|:/~y8QXEUɮ0Ri?E.*w4 Iar?i ?c,858rY[s$E)lMO@ۻvMn[ag\۲d<=ϚTEz6r鴓j\+o܌G}8q?t(nNFY}+ N4̔ շV? HXPAF۱62ȃ ε;=jԮF>\GtC;3]Ql|~5*pxӍtcލݨ"h?"=ةZ;%TlSC<é`p!6+Ϊ7tY2Mж")ɢ8bu3YgwEnԳ[^B ䷤@Ns+~޴sWC& AQ7[;Nl09(0sL NQ|Gd 4X{9n$Xynaƍ­GDv8y  "h_I+ VyEJuz%QXr__8z6/*SCP!?/>x 7 Δ2pBFgrIAaX%3H<;72G# $J.V5kfZԦ3p]EypKnXg2Z!,lP(n'Y9<^lY`6jkYM>yٵ~c;/+yƷy1HpW7`@OUp+k᪡Km!i9{R$/0*0rȍe[*7'kn^Zron|/  endstream endobj 3189 0 obj << /Type /ObjStm /N 100 /First 972 /Length 1693 /Filter /FlateDecode >> stream xZ[k\7~_E+M@.-<5ye)[|{{܂iF|ё̹ZHA[ \K(!.uznŅ %h-3J2oiR zw ͪH A!K2[o38J Id6wE7\[qHЋT;ծfhmY!UxN`g%ct5 -2 6t%ݨ $s ILpv\w8݁2kcRbH<p-`xV@}_U5XZm݁1uRQ8@rRBS|IncHaK%7 +Rv'`l&z͂GA`̢;Pt_¯͵nw6^^}Z\\oeˇo 4zC bw8[J`lt܇6Zۈlc4|x?\bKc+oo?矿\9X^}^\//rp>a&I 6K&$T÷a2o?^e5J11,1TH-QUcE}9b< =% cC~JĂ#uԞZ,J#(PbޤpTqGAP5)ǹ#=AFn+yVCY~MUQSL(n)F{P$ͷ~Mm8_>OetX슾*R3exH9,e,YGMX=qw=5SkOm)Qg mwb{2);Ui:F2 djgw<Ӵ:i`-)vDBF.~;减>Z2IWX,$DW~MG{wKcIh=ɮb bVƴMV ge8[icVXY֬k [֝@k'3c/~]ɱ4*v9:! կ(k9~Ay:o(40V2PytmJgyłjR&onL 7f?WAEQ3"Wk΄ Y.", Ν7EQ _Q{ ~'H endstream endobj 3314 0 obj << /Length 1872 /Filter /FlateDecode >> stream xXK6Q]58&ٝd6UMre$:ԏeGOڋD @氉7?|w]l8j&7U:bs|~8(meY4mXUuiTbTzG5$mZ;qݿ߾KByDeVn\71].CfqT ЩAtڎTY7~7IJ_Ee9n'QT[]mAݥԕ]¤i&I9osZѝ3YpHxxԠ u{H{g&z&Uu ^vVD7*/CHZ%Fn"FahÏLydepEp7 &ˏ7 q]U4*+_a ,f'_Q'0X?"_b`Vr.Ude!D{a1ԧN>`n, 0@/< ?uo# 3XSOb@gC:>)Lfۑ֙psuroSS1>/i!+m'_f(3oO2.Ndfu乏GEX2p-cxK@"T({xrW?%Aߐ댞g?EBQP컮h,/&kXGRnQ*)n5MIAщװzouQ+j+ q1==Mm\QѳSGwvliqT%{AvI;gØWrKO/_^hD:|ʦ ~ݬ^L8ȓj]Z'#n=C}ݟTӠF~TP縖S.uTʮגwh<%ނиPN€lAu <#(8ȅİ"l# o v.JGwsj 'g<)q'LsbgҨ9/ 5YYb?{/?^ٯEiZSOGi}2'_VEW&p k%Ř 30Νا1Np B|jv."ǽy*O/PsXmކB&0tEoq˗A0@?he⦹`*BypWO0[ &x\arR2|2i\ڢ9q\9U#ժ@ޤ"hJKHevdsd^-vv<{ zu8:-cHau%oFRBSj}wzR#O#{Pm{`^bDqPkܹeځn.giy%%Tk̯ ߫^(XQm:.3.t> stream xڵXͳ6# N咭Vra_d̰4/v[ `^RI^Ro%!9Oo}/H2)r(CDeK$:ӛ|>MBe>9dYIE8HIT͇DJa"{>6]zНh^?ة-DY[IfУq8udIM$yT T=ᘉOv{GK* kO Ine{׸OFpVӰ2è?&Wfrt.v7m,yFt 0"LsM)qgGHγ Ei ^o͕+d#^C) a.RI&$5ĥT)<.FHf}j@A:x[=4~o{oB$.'[(Z-AB+]7'.{*r)*#n Ue S;B-Q}w?g]P }ϹWWWW:,."Pc!gٕO CfCm^tJ \C*Ͷ)?nip,^Ãߓ38Ր R-Sk jؤ=3,t;i[>L/R"e/(T9Þ= `)ۘܚRG_))zۢn7*DP;E5?nXjZuF>_z`}HD REu~)f<" CS>)vip?ScBntf0Wҽ"xWD56rOE96P%}+&aab0Tq$WE?w  <Q1+`.^$JCzːXz}BA _SWPd55(ZVW 2X0l|Ȫr =gI 0"ߏ9iÁp%ejo2?7} ظeԌ=2;˛d'4)Di:XZf+a _!ңU/WTWTs)a=΃|ȹ4SF>paP;@)_5-״ 7C?+. 94o@leo^4iԟSÿw=8Uq~ {Pbg@orqDntoYB,kP4ߊ|=;z<"ER\qTRSi!׆f32V{U.O%>}> \kZBo7S,Fg x9k4s(CJ4+ݛ6![ξCtX䅯EkckO\ %lSMk3NU>+ž7ڇJs㍄}~iKZ}M ?gq tιv.3g8p0!ς:LYalc92k|-PtE4Nꦞ@%dzQ k08sͬ8ۙy26H&~jAJFWç^R86YOJ>))~Qᵄ M7Eǀ`̮oJ^{X'R+)P=i:G,#Xs٬MB7fk+/:>>-h'D:H/{7E ߟP endstream endobj 3329 0 obj << /Length 2366 /Filter /FlateDecode >> stream xڽXKϯБJ-i>ErS98[9Uvs@x/^\$h4Nx_yL]Gu\'Lwe\Eq^Y]&maeARG,dzdƁ^tƯSM<354xəIY>?ɳ(ISQ5H ߺmVFu]{A*hF;>S\^{~y,ʴECTmbfj8Q?+̊*ʲ]&QQW̫ӢvIE ,*%+J/?|X61%n-_''Se-K,lFĻ8ٞy0_7ߪr7bd[+&z0* +!oii8Hl!S;GfQ.d[XA?#џ8 SX9AN+lyjmf/6-ZAUtSցAkIY(A3/A 51h8_t&-bdC ZƓS'$r/?HG: J 1I^$fEtv`p(&-*2{Wy )-DrӍn0`^Y!I}YGX-.N;ey}QxS'-{G)I=Nw+# sUt&0 ~(ۮE{a*PkFc[U|6@3۸&ݦр^ϜAXmѶY0A 3ШQ/ eG~)!곧9BBIN#[=v;E;գrGA,IaL2m2<Ƀgc mӘ3?Y0n0fJv`B9QN 3enIo/wo# CnbJq. SK`}+C0M$nW_+g CXd+bSWcG~d7wBNh߼K8k;\ cSqcCC4#]uV+cUW֌fZlbb7$)tܒ4CrX#+ (P-I#]#F I`xE2%!})b"bsmT1-R.,ݖyZOHM7U HvpwE4d:Rʓ\8!Gx31(~(^(@ ի3)vampKub3#٬P$'̗[WϺ\&EiD}ݨ&e'."%N(%0]C(о[&h?tTB Yր/ƒF)Jka<:'`0 i-x`PRm8^Xd+o.ۈ A_bȘf"[E K 5̑M1(dY AwA-<@X#F ǨJO%z6|w!S?چU6 6;U?#q`nS>Bn&zܩnCUֻ[J^JcXLCkTH_ﶴI { W#oq©8M{7Zvj)LfX&L{-LMJ˜ !ofïI1q iF&nΙZ dfZ`'0zqM0 К- ]̣=NJ/0v_; Ӯ!={p0МlᥛgyQnؠ_~ȻbǍBUTQY]uM| ŗBBŤP?KپaNoVg:RqmVL͐ fAhBߖ "3 $c6cTZa31s\zkq #R YƿVvUa4;cM?~la=YR)= O > stream xڥXKPa |+7U)_ ^<Ӎn]x5u3ڜ7L72eTiǛ<*Dq6I!-$6$yZk{jۧq75H)T6{T']"bHnܻWѺ5/a!}gÙmŜmi=Ϟa2?^Fi-flOmv\m_O3,KR{0 kԶ k'3Q&,-ER*Z|۞- #j] Ng.4.:M]uMnGM+- jGMvl{sT)vp'Y,4 7jZ{t*A.iXY >|^I%dR,%ͶGȋpI)IH{9h*[/IW}^>0I\ ɗTH άAIQ#c?Ed( !PQ ),]B>ezimS9AOJ7  xuǩD]* m5dH2,[NE$T. !h| sxʏ:7P˶yqD1F2G 4 &b0 ⧧]螬y/2Qc?bVHe:DdM'(٢mh>)>.;(t!룭_OmDR@91m7gs3E<~;^(l^ȰF1MTj.X+DȒEse1~4@gZgzH P+/~yA(̙cxh핞vN|J]qߋr[gM3,%7hUͻI{fﰌ3=} '1\De)v03]F#G`4f>࢒PiXۯIs5'Y)1+’kgDU?y1^̦Co]/nE%2*4ED0֘^mx(=_8 }ICeO '|""P S.P욆VQ60.3j,&zTc!&ܝl?%RDR.ҔcIm2 @"9*3axJkY58uthmP3cP:BY= a5M}XJJ!쪔eM)g6ԯMy@g2 ׹:}*J'ϛf`<$ޙ++wXw<M'Z`^!1Ck'a^Lay@,XƸ:W3eT#nΡɞ`Š賶Mtí S$ A>>g\Rf( Aw@We\bO u4 F8b*$7~բȡ|eH.#Yw|{8ua^+?spm;. i[kKH4sM81 Mէ'ښ{FRtuRnZEz:%PwTՋ0rAzh3E;D Nr iN[L 7bmn wyB_ķ͒M>|.=cz7 jFsRŖ`KVKk`oSSE%g0RcNXL}IjHL}ظ,zA+R &URW0{|Z&nBXǃ&P oMϫ>pB^7&4䘃"ĊWN8 Sl\i^@!=:#|!C^j[(Q$IyeIW~a^Yx(bgA[> stream xڕYKFϯP E4 l{sivP|v/YY2λx?|2.˓]QKOF;4MUF0ϋml3cw<֌lesW<8C/L:'Ms\!L%Q\4r]>T'?蟧=8nI\FjjR4zq͛-ŌE`S?\,VӵM77kjIX&}t~jk< UL*SjLu0*b[=%1Iy`ԎD }Мδl-i[׌6zTZ㢿PNO8ćwxK4֛ȣs.Lt&I6Y)AWȩ|ٓhdE\GoīP ʾ<'JppӦqr C?ݶ46PFj+$e۱y#ؗx-"ʒ |ꆽVA*d# 3A ] O#uvh\{xF%,|JTFk[˕P[*eܢo[:HIW_+L¢Lϱe$0Oo3ǙLsIv?[Rc#ֲ5'ζ=AĮM(_#$$| Y4[<7:6gv;=fCnQY3+@\d`@w;(@1I^_j0faRFJ_iP$jKs _8`kdΖ{8LD+gKb0& @@nK^~ $lV0xCC}F^,;AB~i|o3XUxEsK0Ap@ g=^ŒTn2 R2)<{?Su^ D'V7m@Z˒ȾjpBOB#:De`?nmSAPd=*|p;A&ql 9]_8JP 0ybܺcDO8js֮D5nAv*ɣa愹BxԌ(=$~{g<xiỰ!S32Dx3Zc+B?b%-пrx}6'v䏸hNuqH2!bY0QX+kբ3 ޅg_uKiHQ<5êԆ D6ئ(u~d`]paA WiM2>0rK]slw}z,qVvi|?6 -J=r/ @hkD2"ɒlW $pCZ2 @f܃A:+xLg/ly}0 0dݜKeb"n1~i7{OxN^vHj-$aHn2mHQ܆PگMĒ$&fQXq^uo4y/Aqp E -@Q 8y-)w>JӢ9ȰP1AKoe)CK.$ k3@#\]bNTtȊOs(2Ѓ* flrY2spU yI1 gsm dXnQg%EŅO( (SeUt᪩Iμ1;l-JتxdL_e.8c:$zaRymKU\2E3Ty͠Z֡"URﱱo FR9G~`P1#J~<20dʧ!r7h>E Cx僠d Dtqw_zy~Y{Zq>p,3ǺBr%fn|Ԃ?B&lVy䊐_AosvCFXR]ka El5]NeI֞F&x~էs1[8\~`*o9wb$2y8K)bj1so ˧GIm߆_ae=T N>_Q+*{}q!݊/h@GNNRn(P- ]lݽ{!!nu^U7 aEXW}SJ8 endstream endobj 3352 0 obj << /Length 2239 /Filter /FlateDecode >> stream xڭYIw WzbKZCgͷ9Qjy63/%. x/0@S=LzY NGQ~/w/~?Gr>Q Dk5L3}B!k/ E1D:i5틝9Mڨw !x}zݵG [J< |3Glδ<ЏMTE4mEAf~7uA2uG/ZuZ0][)2qXvh'xƭfYz(II>` ΗlYoeorim]vmfE[)0,?`Y_ya-~_A7ŀ[!̎c)E7rڒG-ZCiC߲kn`=R+mĽar36 tহ4 Y2"'^14HNg`'[&'|&D[&̶p4f?jvd{E-s1#\FE1jZ)0A *dVЀ/qJP !IAu 8pĉ*'{KyQk4y4Ò I;@d" CwOVy+ DVʓbh~sPD][ly6Y֓Kk7{GEɧ9:`4AHiQ(Kucd.{Pw5C_fr)){8KRo))[p@6 Pڵ=m @ PwwgK 1:;X*go|4eET VAUZPdz/Z%16xLEtʽgKxabM?N'^߰lR6/V) [E-%НܣE"q2x (QDhLde C;AbMYX0TwbgrjO~) W#p7` +5;p~ 47gE;Yp`ؑyc)-hʮhb&QPHQԭ~=9\[%6f -mMN0:CE#'X8#G"4D 1D߉ bOW>ڰg4O-EWg'cEBF`H,O@dOQBKefE{.pkR>oGc[Ԧa%n,H5@cW-̕O./PG3j7vt`!>%1SYlG|E"8.]M.*'R|Y7bU5F=Ϙ3 h,b$7o2 y)f!¡z~)&s[ ̄dCiwO/8Э ]K=^k<0{cFmtf^LOJVrzfr:vQbjEi֜ACoi}Q-ylO 9v~UV .|ƦuR6 x|z?Cҿ8(8 iGթG=,VhY)mrcE"J7TM,v?Y endstream endobj 3356 0 obj << /Length 2609 /Filter /FlateDecode >> stream xڽYKWԒ> xxVɜq2Yd,,PWqLAݞ_?%U^$B\~RE!:͟>VET!Y6sypL$PEp̲<:6ƕcws3 C=.+^HI z:IR`7z˜}c)x(Q?. ơoA?*Բ;Dc<̓ںjhxfYy?'oC^dAɍdٵʋMȭqhl,v*\O=m;[^8uXč$4Z,VO90ݭT&!3>*5+4,N-vTekB((J \TwO7D,&-$b:T CqΙ)G~uSaB}0(,t~,1S#c3AI}P_.eW.CLyr"0s#>%~`LPu[}G޽$~G EIřȪe'xl[f{):}xiLZ-Kks#ޮMiA#4 +/D)0IBX^duKEI.V0Q&[{OQFv@0(syj.|M4w{80]?r\J(U"[ F<Ҽ`?5$K$\|iiE `u\ҹ۳e#n ˝1c/-U2_@JShAR rʥTd] SXu!5 3R~*wsQV:G r kb< Rw&S``ANg3 l(_HxF:k3 +k?}KJan4BaO&4)ki:' ([ɐa%5K"_( 7Ix<'&kk0J^>SX(+~rr}HZy' 1$[,z<-~(}n<ג9y++8)z)lNPxhyt$>:'QX$]-8?]5Y{%=x|7JI'WYKDXZz*;ed1 ϑ0[ij:+mV6`Vyg᥵+f! i>hL .A 60se-ZDA8z7reS8g],hQ3cǫG*I (r1 16Ei}Q9V"C1'?NPĆAVVh.KJH +l H?do+qHl@&rO,޴jFjqLEt BX122 qo⚎s"Jm8' ?< tf b?'N %+7"(\% e2q[̓%βG)PK1Gǟsya ͨ"k J4_Ipj,iD2dBgS\Gb:*q({`WMfb)<8 qNw/i5X.Q?og_6e_wa[]n\/ ,]J(pqH   4 ̭%c^xj(=\T r $0"T8wϔbZD M8&Y"\EVRl0,E"%4. r>e:f%0 >i(4`' 3 L0*]!} C3]_ +X^& (RjPE/܂e #> stream xڽWM6-rqI ClѢh/)ZY^EC !EG"h1rf<i׫_6W׷LF5]hr Thǩ߯_,JRJrFۦUs/v[8~ov~4S{G%e:mם`#yqRe(׊ vCbqJXlP,OiPf<gL}8zk펒^)jw8ӹaMQ9;3z(<4)'np4MJ;qTVm* b*{Uh|=hmv%LrR[}e ,B;b uu5tBt=wTGjt_o %<H,g6C9څC`7"ϝ*ʏ[HWvávKLN}CcԱ^^fCG'bo2tvQNR;Qchff1G 1 e#e3` You|snHjǦhPݟaElJ @R z8Y%1e!*&j<-)))Ēe |)=wM(2$䘃3αsTLux?./p!K65l' gk'2F`7ȲCi} k)ƉP~0CfR0JoJ=2,.d R@eE6y@,b_#rTk>‡υvۨ>;}w3UQ ] m~vű\.ulaQ76#oj)}sFw~Ml]I =ef(>Ls0p>G/n (/ yֿJs"8{*_'=W̊9%Zt.`]В]AQʡ6η z̸/X6o^j(٢FŚAhc&T{l ȥ\dz|#sx[lw /ٚU|:k7Ve `5FhO3™֫EbP; "g$Xhf2Eül!fCc[AifT*|u]/+M Y1g">e;՟ JXKs_w-הr=Uww4.zZ endstream endobj 3365 0 obj << /Length 866 /Filter /FlateDecode >> stream xW]o0}mP 1ji4MK޺r$$klR $&u>~9Xb!NFȘ/3B:Oyb\Vl-ʲ1&Cj~] ^֖,r ;ˆ n/f96:suibuB(Y*,xĬBm~j}#9> a{>i6\6ܖi?g@ _iAY~gP~ 6Di%R|3 <}/m}:ݝj݆e2m(μ*l1 hfC;H5#4v3д#ܡOuF[Jv9 x1?4e#2b5 D# 1˲1yr{zh΄œxxFIоZ8Uh؁0VE.%QN2&)3.^$iJRuEƋ4=9B^А6OrD~[Fr4rS*).t.J{+0T2z :@4,uwU&ObhD,r&c+)JyتTw*:Ti^27 M^Yzo`P>@/B-{˕ayW\b~'nY/(v"xPxJKys{ĊzTwv.%_ CMx{{c@:\t5 B2$߅΢EeJ `vG1=D>=o-[ˉ sO2쳥rXџ{4G~'DWL>_ endstream endobj 3371 0 obj << /Length 1909 /Filter /FlateDecode >> stream xڭMs6,Z'ݵs{;MIfh '`H nz{G++d!t^=5NtݷHFHpH$M$Vso(dЕB# AУ0 E0 `J[\ay44+܃gƕDco ^5c{qMK4|GXnZNf` V624ˈ),A")W۔ǫ;II|kt&.mC؍\_]FEH+g+8!?4qOCS>80+ k&aS!wl~]dbځ퇜mɚ?iKź+M.m'cTF<`I rLL|Fjj&CVؕߨ#Y%t8! xBKTW#_IMmSl%yW&eb+bz|8) R" br6joaT|0®MG|N1zo'bT]CO߿<"Q*D7Ћo*"fGj0W:#T6N٩bޣ28 .};+ endstream endobj 3377 0 obj << /Length 2668 /Filter /FlateDecode >> stream xڽZK-20ֈITN`&4زFzLOO%7 \_cUX8x wQ,XELMK> eZ !BGuaUmvXzB_,|XF~gLɄEH#^wxX' k-(Kr֌$ZC<#KB=B; 5u}%XX>|qq$gW6Mi7"%[ )\ 4~,7T;캲bvllvKug8 nvr;;ۊ2~BV T`ۜVկJk&D#eSGeW݆T,c_پ۶[nxНޗ}4S#p])RA8@A\O>"D,\_후Q.k@w0VwM# M(.ѭˬj MGq[{z)Y$Jvh?}( Qjx!s]>ASVr$/?įԗ%*,E$|M[ou1{%?3_r;hD6VL` ێfg8ۇ#rkM3~'xUQ.vDf~?vz/?Ԅ&͉}0IMka[ٕ7*>@iѝ6VM`OBl*wcS(3M3T@wC0x*ԛY\Fܦ/m(1{eN.eywN)KV}SE h}œ)4P Vako f{MJ'jUi{xO!%c7eX[c]8>=$OUMOGؔ}~1,]ILN}Dl=G|YUkô# {W8O\ \ܽ{Po3h6qʊW؛<0AQnxn49qǺV8eF~8 ,4n㬢(v9g`>,5gnT52F{a2_X\i^_ȗp:ф8:0'Xv= U~۝yZG^}3S92;uf3HEj:7ĘNCVW>i9oRTPs*,?:HP̛:iOb ^bTtw5]e2̳bȣ+Ai'N|@d֣f684ms vB{2ɣg.;n+6lo8 hOQn3Fw.xcp۟]Uf3c!,C?evbUfˏY>j(U:i?d Z,H_`ֲ=nĴ'\`~\96LP?a +Kp+J=ʂ%SK5U|wC:L jpX.&Bk~4%t~1m{[p:eN u+L6 ea*ϣs^y)sw8]4tՂu:B'5פcf>U@$r endstream endobj 3382 0 obj << /Length 2046 /Filter /FlateDecode >> stream xڕXI_ʉrF0Nʎ/eW%9dFF)!{E1^.F݊7/x{Got֛L6e\87͏QeO?|ȗdNoviʼf}o4v'ed7s*GNU: LdsU$:|νV.߱ӱViQ$Uy&}Mh2ɪ:; ǭ.~t]+}߸v<9nQq-F77\mwŒ/pda'/C߰7M:Ct0m-{n8Dti`0N 3E?Xo[Ҡplawtk}7f0VA%yEOqC*x&[,zs%\ys(X;N BhߝkV5 T͋ n]&h*-㨇ןhS-OIs ᧖*Ћ^ $TQGJH*͍'_.g;ۉLDA Ίd,U{waBV TUV^Bi6 @R-v& Y@N^Nv8diKմa Sp1p)h$(P#\'g[¾`T5f{Њ}TsK|'¡4D4$`… uî 1(Ax<Vb_! ҶOW-ɂY?jzjbDޟбĝ(?  _z$lQ@-ȣ $ ^,H9r9O0ap&p|F?#`=\yDn|v͊hoG^ }+A c 3;ot8NA={F9[%U٥+O o8qr 5Nn 8_Ƌ:ja z } }lUH (UdPKАAqɶgfu*RUL*jxX~HI='UN }u*+'^Mp'd%\IyK,Tݙ$9"FAE86DRM`lU|~XeB\6(M0j&:'fgx=ԙ #lrן1EU:7 -#np%V.# *pL}*,z'pie @{,@9_ ]o^hkp6dM*41~nΊ){waa۞njA*Jb9z*HϔвS[9Z3ɤ)%L1!] 1غIFCePaO#&*S ?d{) V_)3'I9;pÝ'1h&X1Y Ly6/ .n*bfz 2upGZ^ҵ٤|^RbD.t#sei[I,|o@L#n觷rV]2^UK쭺 T' *\$`$;5|o( endstream endobj 3387 0 obj << /Length 2685 /Filter /FlateDecode >> stream xڭYIϯPDUY4@T>S,nx%EEP~ \8*Kht e6zӻ?dzUzPy:olS}<6?'6TvyvWmn]S/~b$N\yߓ?h;gdN9On,RS"fgr]Z%7`w۝-ߪ#JpB'k[͹ie҃Gn5-th6'̎!VcubxWnC;{fMC:>G]{Z'өi^vi+@;8m7T-zLMZ^p#tZ#w2\ݰ*H>ޯ(Xc$}y|]O +gQ-6#{ `C*B{]}yVlXqnx|TO 9Aฆ֨`\03S6wr`q/p=rݗ Ŧi`լT&IjAQT j/; b~ aC'ߧÈ8&K՚g6giH I {*eZW NRD9;uBڸϾq5Z3ءsO ,^<bD/]<p5mD0 #GFF9m{袍آfA|dZ`dk!_ Tؗ?r3҆(t'( ڥSH5$b-̆N%=ĪNE\@2)",q5E&r}Ti@_q/k~0Fi`LdH&,$*) D%1XD91 |ܻw1@u-de@ȅd_W |t;$X!e-Q YjCؽ3=عJX_ 8d(O:!9nB2sřčv7$$>dO _.!.mrR)jdtEF^<&qԖli)iޛԏVL|d2!.2]:s{)@0iN JJAV$4"όHgK#9lD#ѽ4"܌h"ɒc_QT4,uX9_*&U{ >]<#8Nr_6: N@6.L̄ɪAb*+(er?X%5[<%I4k7PMrXcҵU|YcargO03Lj^g \c,I4d/e^|w(zFXe"Aoy1Ҷ28)S=5"PIXF x[z {l_Qj5&~X}%oD|V &-sv9q{[ơy,2kS3ہy> stream xڽXI0ֈ5AtA%9 ٢)-K%J䐋Hګpin~zwhҍ 2,ɣMAzmd?.#emqi)H{n~d;>bb۷l'赫e=_0 cն{|z>pF[ckK <Ѐ[v)1O1G؈t{QnY*8T}GRU5'ag$"Ejj(ۺjΤ&鶶DK Trqvme&K3{%= t3 \,NC=xm?7bۓڎ"KVl=6U|X $<>6U gõd0x՚ .Kt^D3Al9ɾ)!HGQ9pQq d9yU7^E{S$@z Vp1 _9ܳ܂!t湓e5xϗBTAwy Ȯ$3d _&t2Bsr 6CSGLL+^bٍi+m-8=W: ʋQ-{ٿDM }iOτl/H<|뭼9 )G(>kMxIHRxuNH{+AԨC{G? )؏@(Ai8)<l'k%dN[zTlnVI%G]\3@#Guj;4s,e|ԟWTw{dw9:\$+Z\`_ٳ/Mv-h%W/I`bV8:A@"G֖ld ޛOpkZd,Eh s醦VJӵ;R$gG 6N xe݆V-XEBĺBcΆILeDs-W2mB'asrFމ^ȀyڌR?Z ~=W3'%T rYwVrhԵMgW3؃X96G5r3T(O|@%Ç>ÛM5 ;pl_NC6@5 ݥh' H8Q`d@j|mL+ƃXE 1S%3hhbCƷ鋲Zn@٠ZnI#oVa0Ll. ;ζtUasTn) qENNȼ zqrlH}tpڰ΍3ъ^R,0Nң'7phovXx 4^A?e3YE[E NCjBam/qTq敏@ZQ4p`<]ܖa}?:9g=ھtҏM%gA pXo0G!lE{/ KfeX#`3qZxh^1jv$ʂ+OФB#P.b7/3 Xij}9bd:#zd[FկT?T_L*?Y"D^64y%EXF9j64h[܊}) ۧ*͵ stD, ~LyD,G)|?w[-Yړ ӏ4g\? MY}1/x}gǫcK"{eax ܗ$p&UGEKD+?(L/uYy:bqkEyFK#ZWNp&H⫢(_lml`|`AԊa.ÓvDREEd]Y8[ُRRv/(֎)%;do{:VR\%FӭՕ?OA8 ʰoe5\y]3> <ه[J_\Qfdzc5'J^FrRl5ݞ4'M-Kk 8i endstream endobj 3398 0 obj << /Length 1842 /Filter /FlateDecode >> stream xڥَD}b Qbn@D "y#؝x=꺯ns7?]}s6e~lnvDl?|mn{}ۺa:Am$I_ۡ:T}>TjH:om䇭Hۭ 2~ Qa |:Lg6 l(#)ڰW_ Ŝ^d\!(`j5lHDΎ~GAԛ d$CE9aG/vZBټxctIƆNs=㎖-/̼WF^Kn׵N1ޑ [wGfSM>[f_1:C7NwKJ@1H;@K+Վ Ǻi=CV~@0y,ym@PFG e''I~ENUmڞ2Rʊ=(4 '(hMP<D̶nhaXqx;%}kvUQuիVn<(sz|^Ʌ=1. T%AY0ed8wͭ>};q84*Opiwh?"8O% }PK䣏TWj-Je<$6b|OYRM!i#[ ެLUD+ͻ*:hNգ.Eǐ7_4; ;rfsBwb^uSgŚmE0T.]MhℳNPX0 qF0SH8z6ͺEI=m5hsZtd@O8ۋ&1gOZoyڦAˇ zZj 0h"V.bOXmԮX4!ScVaతMp[۬g"%N3KdKciLw>(oۺB=8?@y 3{m ՙ#|p¤̼kA!Jo-t}+=eȕ, U@VZfB_s(rv \:=pDqXSCdy] Y$'kTD|8f>QFME8#Gr Z> 2^@v뜬zn-"/yZıFSi9j^hSulvDŽdfʞ,4u,RK8PׄjQk/ cm\2J$I~ ?5dq|@Y $6C&2).m:&Kdvf~U&c<#E `~er]?S|ֶI#Iœ吩5LbB>h1pǂe\!qzv̺F0U.='@?37 )&B݊%ͯ.epA/=:x|wdtkKb<.РXbɡEI[g)y {>]Hk4_ +dO> stream xڝَ}X X;֊"u"A L43Բ& >||XEnl&/6bJv]?߽v"]ϑT%|2] L239YEér}*q7$#" 2Fm,CA#!CZAHδ\9dz;lAC۟_xH $2.EP)Ǻ"e%R5ڌ~w"2?K%oҭJAg M_~]yO,ěwtkv43ޝA"i5Ei4zk{^1Xsrѹ#m}ZD{\=dY:զioH ,4eXR ,S]}*Kb9#-Lb{ljk6H+ 1n4BKb׮%)and z{]|v!+hnC/REJA[{g>9 m$N#M5}Ds%jxB%K=b$+gV2\]wz`\u.-`Gim{~hrȾ-×on} dX=DZo;ǩqf3᥻\ L ϶#cGVG|t{=LHV*>i.=LYZNK"F3E StLYkıݡI62Q_V+Ax _O=Ih x$[8.yzZYn<#h:~)Z`r];D%>u׾cFm/S |p!,e@rqUF8pyCh0ݷw<ȿ]o2lO:._%,Znɂ .$#n״O4X[qm#衷ZVEzUs.^,\44DKm:m 0ASBFGݷHkl0:ý̱mq#fXBx}dvBIPTϒÜC?-S-9q!d*+d3sL}32,zjMה~ݮ6Lh/W̳+!w)ؚL8 OpEΎ xdi+%C%,ڇ3̆[30%8L~]d Ū4@i`WqD"[wJh&+c3 6©k9>9:-K^8NM+t:s::Je(*\/:Yd[,qd }A~g &`ćfp֩$ҹžEo 㥅_,rtT'q[rGT/oU_ŧ!]S-;2VY"'`iD*pPk8k[BBIUW-.j&Vexk$"Evzq,E0s:5ԋ.dѧ('Kn+IAU(a,S:H6II' *y]Z^ڕ8[i N}/ &\v/C^Z_h 7xo 澪MX"ie?0S|:o쥥 :Л\;{NwOgѵGL]w/ rsnN\hӸӷQ՛},g$ oސPe\\\?}d^=t}G&,| LoyiH">fD.YrYO \"rJGn9(  Zp2&Xdm?NFU֭W=Ocm=gnEΚ.1 ç\ĸC5ixN(F)= X+L|Lu]N GkX䴮5倐e%D[B+6V"ҧ@x9Rd L`{t`4E)EM8в8\bG{ 'CY& oz`ZGw8:g7vg`b'QCڴ4ASM)`*=<+_p0-xBW 5 {͡u#V-mNB솺@fɷLKdns5nr Ry/vS3.i+>>WRtK3w\Z"3CC-c9:grv"|@?͢Xt&UE rnUDV@ ;%=T30P fbb&HgޠVA+Xmܟ }Y T7'Ji9G<_t&n|e0AEX wH!,4!%sm[/_HT2=JTE~n9qZ$ܢHM?c9) >~Fڑ>AWGte3iIpC g_E>q.pjǶ|USiP {_ endstream endobj 3409 0 obj << /Length 2605 /Filter /FlateDecode >> stream xڝn}@52u˃0yp&@nfRC=6S)W `X,uWNhwXTVQv"QFi?>:h!I@UPe:ڋhxF( ~j*З}\?Ie˃LytNVH.v4IbwH*&WKڵ :(; Q n@h7LSi0Ò}du/Ur\ݒ UT8 hBTNi3_a0(ߑZҭ|t1QQ`"wnz #ʰLA%a3񐢊n:y`G0UAtp4ςvp ZX$T(iDuw1rnݵèXyXvoᬱ*ìP7鮍ymLC4M- 8"{1)Ӛg{}zcy4eX_(+Pdrch!~v*L6 )Z$Gy݊*]9uF$~ƅHlS$5-g%)]n .o=\&PZA)+0K"q#ёeGo)}Y%_d<:Ace1td]@͟qVaݔ0Љxd_l7D}^/7?~6ݝo%UphJ6Xww͚|g}(0?a y26:e1mHmi-y3{/|] 2#| Q~|8W8^{36=dV"yv mCI1-bnpS-n z CP4)Sܯ0_=0YONUBP`I»|Vv`:~3@n&Ɖn)ܦ"-`n΢7h8c6r9zR6{>_T_{ĝ7 !4sbЦ endstream endobj 3304 0 obj << /Type /ObjStm /N 100 /First 982 /Length 1734 /Filter /FlateDecode >> stream xڽYM5ϯ8xr}RH !@;hw#'gfl=eՇ 5 )Kh5j$\ .X0PCB eBŕrV$dήK=M+wB9sP+T!R]["XIEIܒIG H,f7`R+\ܲb*rK67e˘Fb7#u=W3oq!&#P1оZzH05_@\dNUR#* gPI+frm>WE#?Hs-IFA#JʲR$-6ݬ-Hh#fP_ Lu5ۊ ngU NQpIV#Q5h.} @BɺV5Hت{F`CaT HP5b5fjXLSvڸOm\Ֆ]g%;@jmGcϠ2M3=!g{0NeZǣGmx(z &P10+~j >g"|4o /Wwx_j5v\?mn_onvqߟyWۿË`Kl@`IW||uj/v齠{B ^]8Z?{mu-\n~r`ɐ`8NA%=? oϷa$|v}svk''"D aH+1gEu]Μvb)]%)&[fF7F$^CNVڀ5-]e]bXw\G#H c ^1 ECG6&#Т xXbBļxDU +p5OpBoz_z/WAE%v¾Og>My4OݣSg\+h,萢j9'X~&#{eNic@B^z{|@Oah D7Yy=5p_l )UT@{KX#8k$PiXT 0nKNG9HL џ$e^7?BeKGH)qrNAbS2h}]AO$fĻ|+>7XJ$l:YpۼwV2Gr34n9WPd G:n!ےCj7yZ"˃@CHhGJ/?nw*Ȼ@nN-GI[f咤q&ߧ}H#ޏ9} "2B&JzEµrIN;s_.Y @n# iϔ >SDhM_Cђc -&Jδ1Ed!6Y>OKL΅쁢4"L鰏ErTOt6yBu4EE-T"zݹ.bXNv*'`#-j=l(%둀lѝ.v7'ax8U$P#HpJO  endstream endobj 3414 0 obj << /Length 2182 /Filter /FlateDecode >> stream xڥ˲u_*IS"S5t d0 s^lӝHGG6ß~Dť*)Mͱ\mu%[~$uO_mvZE^2zRƉ$ͣmuȴ۝.ȝ;v4z[rMt)lG1{yp_0m=v!!V˭7B*KazșJ"\omY%Ye،P݌ޣ<+@0 JKVIǠbN(IxܺL \:߶;F-*5aCI+p]<ӟә.f!Y9Yx)k[ h:d- ALD(=n W +`N$_Hے_vrRWIP^EbqwZ,le&zwzw\Ct~GP]!zy*ELgZwvc@uE#!{o{WAM3-Orv :zqp(h&$Mώy*myΦ9781Y/J)jU9KƟ%z0ޔtP|oږG/'Mׂ޵k97 YL T"(Typ©o Zx0kg9Gu+~3YY!JS * 6 Y2 !&Oh ^ф `-( x_߄ 9 )n6$pT=~-f_<0GN,KS8͂!/2b R.@5.5?K/r]V,!GBqg'zaz|p-K_0 K1Y$Kӧ0>'o4 ;2 6y!W4WQYIwE? $#NB"ŗ1 `֯t;"S$8mhFGЅ}xuxNs[UH$K˧A,2tC*550u̶[c_P"Y2{6j<,߰ë E\_lnHin F/6y1wZ_ endstream endobj 3424 0 obj << /Length 2185 /Filter /FlateDecode >> stream xڥXɶF+tBX^%9F8~$@~v>55̳3lk[U v]ŷ߅j?r;viKb;_*sm?DQ4~Xw-O=c{g.0-O)k'QzH+\"@pb?Cy(AP{}{5ŶHy#j;}㰥L; K|챲lջcm?1P>q~];Z\sTiqO+ƴѱo,MQ }߇*۴Y(A0v4-Y'?"dho?Ls3#diR^hAb+dAO,/Њoצ5 t)*$4B-ݐi]<:0z<<[!̏PEp`5((4uM[~X*Vxn?_~'Ɗ.\s1:O8@ʝ]@ F1Lާ=mqLSc Blq;i=L[L n#>}E$ywHoʷdd(ZhϚEY*EKpY%XdRhؼiِrzkL/9d<L4FV$-Cg,=f ia@8$ ӜQo*Ӟe*3G؜ #LdK%sOh'z!A]gy~4kc_AO^-/(6Vxk !;5&E;|Jazs&YȥL*WQJR"qw%-D%3uS?c#z* 3+OcHw 6{Kp)NZI|TzkF@oMxU8O!H㿆K Q}Z"ÜE9 R 90 4W†PΩJ!B)!?iF@]j{4bUo*^_aZBb$)5r*DE4&s/,`ɌݭissByˆtkZ L"3WF8* pյ <S7K"x@! otKGBa[oC=L^3k`7I#Qee0u-iQIS^SI2ƊJD ###qt~q)󌽤$bs CUp@sg ,<"q􄅩MI ׹ 5aI(Z] ʨX;>Ϭrq!.;.BH9Z _H}k94TCYI2}l'q_ o_m/(D򄁺OhK頎E}%\*G(8 hXɘ-Y`[~of~Dr{NWK}jhw/ 9?uό Q_U{"ca2Vcb;'S0q*GS<5:iY^ڡkIcsDh+&҃ok|[w1Mś%䖰hMy ͧOWW#}/|Mi endstream endobj 3428 0 obj << /Length 2436 /Filter /FlateDecode >> stream xXKϯ0rRm(Q56䲇t,hn+#K(MO5$@M(㫏vϻhӛ?wJbIiUaT˵nPw>Ӡ;@XyOBfp[aHcrVъ׉AZ P9PoX1c[HX]eiG/濏ҽ['Ȇ uxCFv Qݑ(QX05f/Sn/dg,Fw #:ز#+2}miy`/CPG:fGi*!ǚ`!y6˹.Tg.;9-wj6%PK=t롇p0U-Yƾƶr2zO/+'>fV&YENrO!<'Z,_7xcQցS/ax j 7sM}(5zp Vkg l&BǮ$,K +ʾL˄(j둚sFrHcHEX#HܑF(T.vģҟ_]] @opvM(S1uR"0.RͲ~tǣ(Y"춘 ~~g.w8NX|@k7r74*t0s{9?+t>D_s]8{1:̳8"J\rS̬?4C[ZQS%Iܘȝؙ2;e׺؃ҩ`}+:N!]:s+1;ۓyܑ6q6}oK] '_bW"Vi{|Cݴ=^IcF$<`{}Q.Q3`=Q#3%JbaY`;pGEjNATðt NҾ\}m*{">1pcnevQj"W?6QxP Z BvN Ӄ$JB( Hc]!. rB'Nsw8`G. {Ii-N:;v-$ p=U6ք ឌp&~a}% Cc 4 b倗. l.0 _ ,y|ooS]wxLѼ&|q@ʫ\tXwVC4V<#Ha`h`5}˹ ҂?'X4nj',86b7|Viub?~RԒx|B# SQHoPϾt5ޮ^ׄu"Hk>r/{:dNo2w`Hj- Cxei:G;}M=IJC % 8W;bO5˒tiF b\%h_3l(_185մh'4HO :ަ>)b}׾G9 DfB@9,SЀnŲc}N>׆?L$[s .LDZiLIn_2xӔtJAmOgv<}eB݅AUIJO-_vp"F)Q(.T:Vܙ +v\ܜ{Eu !W@H f%*g:w':U(?@^\ئ7W0PC`6Xu#G(z7(t2_NP|"ҺByU<sFڊ7 o`!moUҼ4G^SV\^>|q|y.r|Q]C9A3?3/OL[-o'OU*G:Ki$YUzG Oܱ7 )$%E!]nzg#|SҒD^W籞p??lG'N+m;5?[J[{X[Um's r endstream endobj 3432 0 obj << /Length 2083 /Filter /FlateDecode >> stream xڥXI6W6TE2q29Ly8£( I(?"ebW.¢Fwv]Ϳ޼*+]af໋Ͱ?$I* ~3N׳/8K^E?Q}- $=HN%H&v4IbwH*&2xFNbɶMڂeplm374 fL⥚qTqx5x.Jiz!N 0@8̔m! D^A%aVw!߮(BEϯ.WfM??FYaϦ^ىԡ9?Ef)kzr&´׶1 .nGӷgGep%?7]sdG<-FeIQYbTn$ 31w2`9^jסy2vr-p_ڟAF)04 I/@_-N!6{͋ F}<]{ uBsrnxl'diԏl<<$K|g<&vk=J>#ݙ9af#Xx8j s-X4NQ*OWQqI`6 V~Cra1F3+0%3n|P Ver*0pe4hLo[{~3:cMS\H_7\>xsv`Q t+TYE Mp ݸ_\q14Z!j&ՌG33Q?5(+ [DJXqWfQI7yD 9z/,[ > ^yOz+F9 DK\GQ6z])kLiq1ZpeBS/g!B%fܭ Ooat'3,lKfe!48EFO\pi\O!!'4YAJCSKo "y )u;Y1YYȀK]^ވeowa_e%=bZfuF8be&E^YI"ʁ590aB`=/lf*xd7kŹ1,>F*)Gai2V,x{<1XIl$ x:i`j_Х`OFT@KTŁ|J zonTCyCB ͂?zF iyZzk'OwYnv|eX3`Gdr'j/2_"\vk":CAZ7+sU:؎-y?CL7w9ASsb$sFƱ>^$.9.`G?5v+UWh`n4ML$EY $BŚZ .lGȥ.PaJ8HJBQ}EO۵9e1=fbKg `]g#S7 5`&[ìJnA=?:V4`^#WsŒgV}˹"Ey#wCSNIB[5**+k.LO<.._;Qc,c4M沌xҴǭD 0&$@PP/+I.u"#0Mije/<͊%}'R&YeKF*B՗k]MKA%FE/ s!U9uXyf*pLt(UX_!՚_Ʌ_CK|hzH .x$&q |pY0IM2>(kk[1YdE?'"-s>ZB/R(U!\~ojaEeyNn;F?C',5})ٓR9S? !ȗr4r 0eH{g$]," D-*\44'J^cKXtn~bÛjd endstream endobj 3438 0 obj << /Length 2030 /Filter /FlateDecode >> stream xڭXKϯPj>Nr*)S$a$zIBE;3)jeg6 4Fil~xQF%qj)L8qs?}Hd f&qfqK4:^f˭0]ƺL7;y&;| K<`f;]EGLg;:ظ^6̇٣0i5mu= 4HNzUxT4HSsC&Jazdedc1`;Hȏb]?h*YaCsur.ƫIh{'/NY ,KOYt@ls+,MKW V-"βYKҸj}I`}}ds``ǬӽciTt 0[UW`;{U4䆮Ox9fnu&{y]'8h@Ko'VdMЁk=8lػ {g<<XNxh_hhýnQ] m~i:wv_SwʙQqN/P$wq@G3,֝D'.8Ck"Cw_U:0KUHBK7|dA2 e:%5hg^TIz0lfK!Zeuii w<x@ZV(DjbU*'鑧KBf,pvaj-3FZ 銳䭷/Wߞ ]n0/BtAKMCfdD2\ڗYV{nN{)݌ ʃRFG{b  ([ + d[14ddE7]DB =^;\+׹/!#3rpgh~י—)X. &wN f1Tzu)L{AjW%$d?(ŀPy9R*5A@^*|8ztJ(*AP %TVe\)o'ulԸ P摣1~P W,lbHj_ž=By #f6磗!쐗Yv ,SOrG0:[jJyaJGRnVR"&R?~}D^g;,:?h`Y'$ ΋>pSO!X W;\o~_=~kDוQ %OPח5Yuȓ#:h)XYa_b{`VXod. x endstream endobj 3444 0 obj << /Length 2302 /Filter /FlateDecode >> stream xXK۸W|,>ԦLjwQ%F$R%=h47NRE"d[$?-XI"<)$u۫㠻J2^>s0LңF%a~J-^&RLdpGHT/wD$UT +H5r2rŢ^Gfɋtms2Tg}H?{wtS7Y'EozF9=BDoۻ߇N~wN̖7? "XNVFEd-,L]^oڦiegLo^$3Rݑ:k%oZ7ص?%,ZiSߨco\L2Z왠};xIǫ`XWVBL-KHܗu< O8ɢ;]2͠MtcӐ(8 NI_Vs:{שJVHp Zœfù24 \?c#fw..f5% ]>Nb,_Nb"i:6[{w=q_/C> IS"kS9nOVj>X@!i 혠OHa-.8FU6S0t5Z_4L }nXNuO׳WQP$)Bdw=`-X!n*ͩysa/]ՕP+P6}0\g69Ѝ:XtTslkPayއ'[/j ̄9Ld"w%r D%.cВGoug0!E,d6ۈ,YpttM;wYS76Gt]'dю4.yMhl svFQ"NlgӞ4Y%*hUIf[$PԡV$m/nʪnf iO>7QodYYG frW5?rB5m]Ԃ?SR;SouK )bxloi]&אPdŤ^,:*NN/%X/Y%T0Zm`c vkf= mhhu ;9.oZM;OP8^gY"V= dAzb:S9h> stream xڕV]o6}ϯУĬ(QÆ,H V^`e*)%~.ERl^bI眛8q͇8 pMP$A(&Y\/a7c`ƨks'$Avr,eI.mNe9|;J8GiN FqXWZ[-ɼזݦEhh!Z0řFgtmcL{2[(O3oDI,MIHO3MnacC@-m]JCf_,iX\X \1P,?`ܿd{-ʆx@Ӄ ҴM񖍒!b[xwt B0Gq^o}Zz} E3BHqmN4{Ӊʴv˔3΍ ѵl '0aJڜaE}T,O`xY§dcO&bP>ՙ$U>AVq/ֵ+ٗNCOhS'MD g[W *q-_i0<|ھ I$q>~wSGYT@8$y\ᨧآ"@n>c :Frf'ڵQ\%_FK@<nMmN4߆*g-sy[l=pPIX [ tK9@ɈzVt?]l>ط8v?܍+s-U;`\Ua*bM;:/^L67_mfiMAj1G{75}e+DH]+Z4N; h6һv sD}N.IQHQQz~ULQ gyPPܞi<,0:},|#V>N.JЩd:IH 'eDAWSP zixoF|85X>~0灧 ԬEPz\f endstream endobj 3454 0 obj << /Length 1772 /Filter /FlateDecode >> stream xڕXK6W+QmlE{j+6[Yr%j_%?*ۋEg<:Zlӛ߯sKS."4LbU->ln& xs Y""cABÏِ-Է(}br`ׄe\_IIrGQ'$v3jH{au'ڷHFDz MO܊QqY(*I1,C%ٶːgA[tvtսufI߮a D}D~]O:T~ Q+0 b u6ѝ$I``ת+-y֝8۶F2D>l IдTehtjiiTeN8eE߸-n!Ek{K#SXST5~@O"}!b|D%$KڍN…'hM.V>ըZSN7:AU =PD^/9 !;\ ) -ܼӏ>%ES+ڑk1YgKN[J׏NMԔ*CiZ5\g_D}];ͱsq*,LO:qMb1hGey.q)pa5XiIJU,=,iYEsH "k^=`70Ryxɱ$ G3<'R-AB?[^fiޡ_]@ӂw` q^Y^AZk;K/6&篫ݭ̚U0Nv{:#@CTGsOf|jOKߜ9sT6=ٕ.Zħg5&ɛӖV!=vBVf>R!)T;4AQ8(&p,3K.E&≷q"37ͳ endstream endobj 3459 0 obj << /Length 756 /Filter /FlateDecode >> stream xVo0_TZ\;$&1з1M^6QlG{*X6Uc!F+A@FѼYsRYFQ\*:="׹a|`͇7"A+jZW>ǜySYZPDc{ ɬJ lQRMœB-5Նnc#1yDyhqJ"YS Z9=:!fZ0]g*(*NO@zU鸚XN tL'YcGߏ޷uNٻswN!f3|eޛBfD pi mSYNh;c]mLL<ȬdYV 0HĮ)E'>Vݷ֖cF~9 endstream endobj 3463 0 obj << /Length 155 /Filter /FlateDecode >> stream xUν0 FѽO:'+"X`XCRY*ޞ $&˹2},Mk-XB@9(N/3e7<ک]uH 5`lj0lݣϳnxM#M;JC)~b*{X5'O-R. endstream endobj 3468 0 obj << /Length 19 /Filter /FlateDecode >> stream x3PHW0Pp2Ac( endstream endobj 3473 0 obj << /Length 1424 /Filter /FlateDecode >> stream xڵWKs6Wpz)5ċޒLv:=@$dHw ʤ"N;XbYrdɇ,G!<:&HL0m|L[ZB(V#YV+;Kk7θ:j:%U5nZTyZDNQرv>F%p{p fWk5.ed2}ܵt7<p0چDv\wHnjsl;n=&\|Lkz"O"Ê^'2=tG4Qip+m%J1w  v߬{0c@/g L~g<8a\#mlச YO~@aOzv$y{eYIQmAjM_&}?$r=h9{9R :]TE0PtǥҢ7$}WXY. Gonj$c!(á!IEҨ3ǞkZ?پ`MixΘD4*'<Ev])C&l(s:`_  @nr3UYqPSBaQ_=J%dR0_w}=rzqsX\Bܜ<È(q,ΖAG݉rLxUQŢ`2'2 no"B endstream endobj 3485 0 obj << /Length 1374 /Filter /FlateDecode >> stream xڽY[6~_˪X|RڪZU͎*8 *vj|!8 dylw OwDL3[9v :'Oׇ~##S?La\2C'Ĝ=>WNp'T[ J,"&)B #|%1 >SM1UV$0Pg"nΫi^^d^b%0s,wP5*2B+KrLB&َ eKTZ`  r -ۂ?˴ȏd_%^["># VԵ_+zE'ea3:B^70KxƷ\Ǟqhɋzkm3:\o6HŰq( >uY%KMOo|A"Doѧ܉eC> ~8R2S?z>gL1}g0|Sg* KۉW]0G*d񕫎6d6E:7i✽Q|+;:c`ð'$xX*yGM/`o&uMUQJnUI "aT\~"嵏^ TOw0L" =|Ҳnx]֗b}32zejHUKCAo{%rU[:au[Շ~@uQ`}K(Ž^ ׅtZ- Ɏv% OK['d9ucvQi~+.>%'<6$fe[4,*ҭzՂB$ -c<>^)&vɏYSfTX!=vYPyNde' 4 ;__a J.vDG!$\SMUuAMZ@4 }XVf/T)&:M}FUbu?-~VydYtɉk$}(ըv|ٙDMwboĎ3IrOV^Gp~TMOK5$8I5}:"?F#z7Jǂ)ԔƆ*Pa I& ebJY8T eCfgAS$倮Q,PTT_{HM#ppeݴX$|f`pa(֮r&IO$~U?# :\kŦ~Q7 nµi'zh+]nq= VzNnlpNP}>\1j3 j{3tHRuX M p#u)k6 endstream endobj 3490 0 obj << /Length 1502 /Filter /FlateDecode >> stream xXK6Эr)zFOi-дhWm6hf_>$K6h.+Jf曍y~z*8 7&w^xe,kˁ MS?UPk@͗ "N*8,GERWTH87yx4 |cv%hMEqn,sU魯4M/ I,AxIATukz4?yH*y =:^ _43kƘ@uiwS&a a 4i}fޣN\r/ {QYNlbe@( *â5ajLTVPNS%xXۏ~P๋ nn2g{0q뤢F)ħI0n&LIȀۏA!I fyG+z]?{mK[nFҀ=7d?s&r2JQ1:&;V*]"-ḃ7: ػ>zalj3Z ` ުA]+!wJG:lb`]̀2!U0.tO4ԔvUk;e ABnff!ׅph@v,M@j8 @ЍJ$%}{1uxy@8N,0zQ!wd@ihwPf1IF0S.M -xm?#g"RiRT`A~EQQ^󲫱e :[t|J%1qX<˩ůamޜO,S!al.%Ј\> stream xڵXK6v1"E@ZlZ$SR,d^%;!eɑl^,pfy)\,ū_.,s.RHÌ2^\mQ"W_~#O_FbL.(di/Tm b/=t-?uNN/ R&hQF\_(alʪi\|Yt[pzLLf ˲)[MSqx&<.NmN5&MK+A/UGxtv]- h&kX%| 7I뻢iT, @"fq(gWQ۪kUnx/C0;-s(wx;hW9lU]۶ hg=ِBrTG!O*NEFm*RZ):!yb0ܩ!u_h_޾X|S6 8Ǭ{ڹ߃p[pRhgz ^trQ[<{dNPw+"['mR4ZAWt%d",t=6dĢ  pU{.5:Èe<ҷ"L@8g0t^I`Ǣo{Uc! H؛<,b!H I!褌ąnDFu?[5QaRXpſ9W  Hkqq32KVEs@^Щ`1zՔ{R&CʐV[uO]h]X~j {#fGR/s2vT-')=x̸ 0 - r4:\T .޴{bp[޹31A! 57UPiS[SZ--J0Z/mQmrh3>ͪ9RʕzCJqq,6;Ëw^ZUno4uVZ2zH&{2 0W(e$Տi(Yǔ$`*O){eIe"YDķص`=^CݻepBG? Y 7 Kb.7,7\U+>ە%|Eb ?"<,s[t0L) 2#PFUC ՐƩ4CG͉֔>ZSL8 )|0r|WA:MQ PX8ahH윇^54B3.%pq>9zD78/9:bg挙_Czr}Gwrۢ yg_vXkC0l@ "ߌen92=a7:#X&йx 1LUϮ5H c4ɺg.Wm+օv}Sf:U~6~w{WJ<(P |T]MSw7r ]u_s(Dfa|KBl#b3uֳ0ܛ+sWH#ŨtJ4Zԧfs XYgxEV|pNDozS `;Š8@f p& Cd 0qIn0R~3gIsp4gıZx*=B2|蠁wvd'ZQb9_ J ma屮>ynsƶF\+M{:G- VCr޶s)W#G*P+Y_^] { endstream endobj 3511 0 obj << /Length 1793 /Filter /FlateDecode >> stream xY[o6~ϯdbě.[+bZ mb`l&&K$M4C1/6MJ|f׳h׋Wp(óYBfIr!xVRaJEU nWe2QLcR1WODVW !P3֍(!'<9|bg%M2b,s;dma=!'C'%w˪*Fq #&1⠂V^6Jwu=EIoD)4T)vo}*F3<~j ,|1"Bu<D =~ hR8 'v%'gJF:n]EKYu-5@.\4roɱ\K8̷lكsm;3'ip>π-? qfF^V^˺y^!bN`%jhɦBKҮvM~r!SK3a^A/<7*YZ}^~Nmk;|(j8p<ÏٝRKhfzq &.,S3C(^g]ZxtZ4xX%J1qzR gKC%!# HnC^8JH2L V\B6TpY#W˥6bT:NLr~!o !d:\Qk_tlr;.n\y :h;Eޘ}HRa{ ,_-Z (E/E ʪE@( H2O& =x̖- w,Jq6#n͗ܝǝVKo4}G^#wܛ}-MWQy Ҏ6-ē02K}2m}a@KOqQl]kUh]U#en ךgOw6b@c`O6Dk~Y~iLG6C^RN Em `{T#_o %T]檮ϝMsC% b dnUIlA DTҡ{HQwO% bJ!?lToëT֊mYW{lUmw2ЧxMoVBPρtW.:ߊ,v:ѮFl8= ^2==wلu=֫Z[G^5]6 V^Hq1NbG!:*wʲ wҧtF`5*o#A(e 4^gG;U GcYUԲת^NS)$6=R1+f,QK6q~$[!&x[j`O0<#lH#lw Fʟ1Žlsm(cq5$|>nF1eވaONC՝;FlD B'UA쩰(Ƴa vg޴jojpH'ЬEQ;&PU͏֚*5Ê*ͶU5m٘3\(\9ɯF=J]n , bzٗyi}?EɐM E1c-nctpOwCYp=쿝.NE endstream endobj 3522 0 obj << /Length 1449 /Filter /FlateDecode >> stream xXn8}Wh $(Q>M.v[[EZȒKI㗗,)ibQ45˙3Cbg`ѫ>u|aa8F8U|r(|'狋' 8^G u̓%rsRuSO y% t ݻ:ݤEiC@$SȢOk2I">">Y-%ha~(+I76O>xm՛])̊ʏ|wRfjJ%#E&T=5J-o\ˬ6(q7ȒM9P {gmD2yY7TALTj1s0ߏTlc{rYU /, {ڹɔ"ʢëQDG@Up  f[i|/5nrһϘa=ArL:x\VE*M=}ظpS/lT5 ,y׬cu}} Pu#@ʃ0Xʰk?$˼1,sւuGR.TR6*۳l#Ap.OT]|KԫN]yGoRBeĪM ULBqK{r%޼s=q<.Ǚw=t*~,y?匿eՑh0AxW}}}B,oؘ^ P -JJJ%D DYc?7"ޏ#5WGpd endstream endobj 3421 0 obj << /Type /ObjStm /N 100 /First 964 /Length 1874 /Filter /FlateDecode >> stream xZAo\7WIQ @ -P$9t!MqGL<3lGI$OEY2IHA2ih5D k75p3-'s ?i(NBi_p>[-4@ g P*J10C-P  ZeIr2oY v@E[ 5WbR1C)Y9r2c2-uewL=Jҽ?7u=R1(i ’%TĒ7u;W9 і}|)F>HRPm] ZSG ̩l@{, S$j+tͮ p_XnMEb\ҹ5W|~A];`!%U2+)ѪhщN0p]/Ke1-p&$Wݨ]=n 8Jq4X5u9 @Cj+U+Lœ'mV?blsu+3cqX\|~x/~=\&C0+ AOKa?`~!ֈ2 XJt4g9 h601RFŢ6jt_IXʥXһm=?oV$?aՏכw7x"^ f..226FGR8dGS#ǂSϬ bw}kps>:jm5;z>T3s"Ǧ4iy <>~4ا[={k排s(HPnKd/eR"0"6o7X±x0dD6/Hk \O Lw%ͪDrQlLX7ڮQ9h}dHFW#Rh/uF<ϓ-q5c7?RUgUKńd0jmRӄLб/⼄JvNP̦ai9M$g^DUY)M*8/g;Dѡv kmRG).z:}G$7Dϋ`{ BB؅E8'tvtZ%ASXGχ#MԖZ@@k8*#i˂GTnU2e[%:_c qEIbm}CO2o}$84.8BCWgJSg3؟GWDƚP{{m&vkOMD~6+9VQ-Xy(V! -6WD.IFS!=xlK~~S$E@qAdIK%*+(xzP>Oy>obcPGvFؙ endstream endobj 3529 0 obj << /Length 1580 /Filter /FlateDecode >> stream xXnF}WR޸<n8hE>5AKEwBrI-u/")fgg朙pp?o~>{qA(c<2D!,Yi1SJp, gf, HOÿyqkq"$ZuZ/3`LC$xlܼ777 c8+rS,rV>,D:qRgD:dXZZݯw2.'އs8E})sI89Sę=u1[s+ !6*KU``\1c*[LҗR$PHPhuqJ(,1'OS/e]8{8Bٯx<ԭܝ( "p-W jOXMD3 )t #MvFLHdb'|eҺ\gb,^B,> i_zh L;!q'k[hU >XECoƄtMBv|pXjRJ+WzCpsC{ykD}@hv* kQ.ɨ٭M>,B-Hz3a^z.s_:ĵwKb0Kbl0<Fy*VcVu SŲ0wzdCgT.ܚy~Oӥ>pӑm/.ϧϾ +8Td;xDP7.?nDN h!`]Cۨz /6Ď*f+xfKNs/_nGȁGoLцol1aU]1oDD#jDmTF5\zQ-k֪3]8 $ysl=!(:į蘀P4߁nE{h+:)J6/v31h#gGQH8CeaWҶWb8 hvE89x;+=i;nBo_.AQ鑁p[Ҁm }plD $mA5b]@r /ԝ Ǽ}~t o'{d1FϨy!s0H? 5<x1ZϾ)y}g)$Ճ9g}"b6hlCIpSYz]sR۰["ڏ9 Ç ѩ}s*;+-"L*}-NK_~hcȝ aS-T_0Ba'%Mӛa ) endstream endobj 3534 0 obj << /Length 1481 /Filter /FlateDecode >> stream xXKs6WH!' z̴ӦδT=t!StHʎzoId9v p[{["mo:EZ"&$`B!0F*N2+F%Eq:[`8th} D4 wO4~fg4)#pB+#"#+u"@CP ,فp&qBV;˨h:"-fG`d$`p[1{Q @8~~VsΈo٠)]8q:|9diD1oFMvg!Z;{pU|`S@+O_p:Ji֕JUw0 ~B۔ૣQw3O W#Nb9K( C(,fΤ6 ?\'apv<>,U7^_-3 t+꺯ICMBH r_n~ I"UUזVnIPC 6#n;I+HZw SǬJ-Kn\ۑB:ampe-굯<7լX۪T_:M 1⒎:L:S7"'HOjɢ޳f85J=9FP Z"?GERNq0fu fNpH{ xQП}6mh p:ƝvfE;6%\Tc]> stream xYK6-21|JT`S=MQhm& K%g3$EYRw D>x/Won^dF0pFf7YJg)s1Yn][y(A8Met)ʢvƣR\swD erAP8ҊdIfv]N ؞ ~0JEz9ѝj́EF:oU]5`F, ɜy9{,pWK[yUn>0T~`f"YL$<@7^QʸA!#b/ $0R'eI/0D ,)>.}>-;RYy Uylr57 IPsR C)M=4jL*$*C,a~G[;7bպ[OCDp/b;uHV P'S't$ոq_5j&=&XvW!-Ӂ{?bO Jec۬?>!ىTC;m ]Nf w>8j *foa4$dfU.<Ơ[ڕy't~|d9D I~K&= [`zcz)CI>lrg+B_/)t,@1s]TLnԺKz5R'}*yiL#h۰eNCTent wgZ0k*h ٹi]k*4mO`<%hi]hսkkdl2wX]bpk| h@xfЬ j"_v`vLwɼǻwZ>1A'j*Նkĺ`JvP{:Za,; I#~)yaCbI>q7LU\΃ 5>С3T3J<2 _l EY J'Aw1ۃqfYrzjdD&sh @{{&8Az۷=IJ8G#`pB6X/MPy(y )C\4t BYkR+W 9Ѻ?wh`KPlaz8ߐW,n9 5nN%{%\G-=՟\| (5p!]}!X6]ez+ₓ>0pq\R>:U; <t>'@m&/lRq&qŁ"}]q8~m<{0(y=״D|Xna _\}4Zm endstream endobj 3544 0 obj << /Length 701 /Filter /FlateDecode >> stream xVMs0Wp(’sLӉ;C/B5!I}WHQ]h߾gzI` a}=dG?/3BA0.ߨ2?pc~CYξ^k76>]*,q,-U?F1a1_]NוIp(')G )<ycW}]vԙ:_l޽Zw?ZݳUV[tN.oOkMmiwg0͍)zZiy~Uݺ1LE!jt{u!}xZz1~a#el * _իu>\;<z#$x‡hL=^ ,t[֭7!>D(z/]!PgB *\@D,'|ϭ1fn*o|L- Caylk\0nv% 9i ֜JV=hI$xLdqHH2Ƌ;z"zR%HpocP _0(Hr9?8ÎKBIyxdu;nu8Ǧ.WfPezר{ FQU{àLz8] 륜pZtj*J#ɠƅJr7[%vaW endstream endobj 3548 0 obj << /Length 1574 /Filter /FlateDecode >> stream xYKs6WH&_9t&4mzLuK2ڂ$ФLR$@II'}}.?~]^|#8%rԋq0vç-8NV*˿n>ޓE,ݖ,&[WXk1zy(SꮕAf- p΍&Ϫ^ Z_i幺{VQʊ7BϨ? #D9 _/>}uQӕDAyZa vopIA C!P2v͢i-jM!CV #қbļ8APN6"pl0 hةֽʵY:{.ub/tdXh ",E#x `E EQ/Y! zd}c6d(+aE[XsNZOINdz1&xJ)"S7ԥ2xz ؀(V5)pjSt&.lڰ+tq 8*y{f=qjCy`w&,a_ c Jt.[\+gp,1uyv$=++]/8qBv9fV-Apzpl3q -2JQϝR(ElۦGIV`_R)J@+qd>ƴlVeYޚi˨b:eմ~*&Ў$VjMwîl0gy6uqZhhꇪ9iHQ>*.}3zm iz\fgBqjf(")Shk#)n&ɅFfSQmӶj+Q5ڹ('m>o&4a/!&H?J@wb&ٵfW6Ptg0.J,4|Ԛ8E)f6e )p /d# 7v捙4KDZ.H> stream xXK6-r3|TlES"h  ƦF7EJi^͙ qpՏo F9I*"A#36ч |p= #sAKNy|Wnn]) ,_x5]#*,Zq9Q]> X'Poc}eŒ7dq 1ܒNjUe@HD)CbsD[E7NdŒfZ7^2$Bp)4#AE- 㕳Hx;ƙi,w{Qa"ؕ`ccGc2`'ϻEA%iH}_|/R!X(jƕIBnCHğeYMV &fSsґCOu#6˽vpHPcC~  nsFt#q>+TLLٸ#Df6S\^/Lő8sWՓ^TrҴͤU]㵜crI-A`OzAP>!8; \BQrT kjԊ)ߴ#C2k#UV={;Cl+Hxq&1,cC#f?m<H9)jR.=[õk젱M7k٨s i&T{ߌ Vӛ =m,'7Ugu #܏W Ƹ_MĩuܔzP+-c&(n@qxbdQ2/*a復f b%V {HSL,~^hꙎt9Mn[cմuD ina˒0 s7AV*,Vx O7~r.tw8 O`FҮ=GOR >6\-:TҒ ~m U(cp w?pGDt2Ho+{{#&qz3wⷘ]\7'~}ik"d i%0H _k='@Yw,u]ExF]V]R}>IMgW\!u9?_'O(Κ_ލF`1*8iЋ'}l0= GiH}׼KG.\w<u30{c2iΩx{ 63fY̬+;0W>=XĪ`ۊ>h=ؗ b9A8=sx|> stream xڵWn6}WdQ @hh-5d (!f!9R$[έEp̙3 6 ~e~Q23AƒF2ɇmkT5 4Lt2*?EB/~ɾH2t&E" ^?0BAI"g~[wf}ntRֺч)ԥ_eJ~SU{])SVYS+0$+h\G$x1"Ze֌!i838"rI$CVLCDj]fOpS?GwINHO)ң`gʄ1K8|uQUfy$*j2BG@IvQfVf'*&,o{R]j8\je^k 1X7ф'~ADDXTQfHcNT>%`=nFc237VYsS]^du_~t^3F" }/~$<O}%Au33(^peQm_G!wΈ1zRb`Y\!ESz)۬n>즰]֊uiót99?BE fng',}dr @uGW1_Y(!TI@(Z{P[p{J9 ^Rr;!N~Jzطd1<"5?l(_$t%? :T:d>8~q?Hp *;ڛ x{ۨۄzkGW7 jkj9OQm`auv\No$=^+Vۈ2m 綉ͤ.'mlDjl}j*vEX1ހ'p3x p[;qYr >6~](9REG r݂{> stream xXYoF~R <@E h c-(R]>}g/*CBz7|x[ċ_ޭ.HbTEXo^dqbrgD2{,vK.0^$ *z~Xee\EI$dSz+gZLˉ]{ǫa](a߸H(ެ.7C) nZ}o6r $_10ll7\!Qw+ ,x ;lZ;ծߋz?zD}WU'*GY ;sn,e Z(2cAm델96ԩi @~]iiGp` 0$-PLF6uLQnCD, Otm_o4B'p:C![p~{ lRG+]:`á`Ņ_w~؈C݌a$x `'y2Gt5;Qsk}lAVB)z:W5~A;R_KMAKo{h3dڳE 'z&/ݏPQeIC=&u _> >rيpH)&dyOg;ql&6ۣNc8wJPَ &oީ^ CiTg0|˫6Ѭfe"C47֫ei){~mj4 %d'Q(a7fGA ґu f#AN 2;R RTl~5 ;.3jq恳(og$2K n`DP(:ju3irPZs+Pý|Lr"275s|Khtl`J7y9[_g`̷fY׊k \#xrqsҵY,EMGv˚Yg}ڕ tsY .ÅibE"{ uhb* 48}]kI.<: AMg(?,T\ 3V(1$R2Ya> stream xX]6}_1K68``R&Q6}V^ ( lv$(K_s0b/.~x*ZzE(J\\Wl7p 8F0N 5JL.|ӫ́b),L."u&$Aq/8B]OvIVp1UȦZ}D.q1:=ӎ $ͨ6z\MYiZ޲F?~F.llN6wlb/VL|\,fac_)DfX`;"92sNw^;%͑;D?_;eڋ]3.C!촫S5K{GyPϮ 09r De RB&K޸^VCÀPZvڭO(x`GJ ֖fkHSo}hs 6`%sl=px/%9 &9Jtʋ6ݿ;^U)_CJ5)ήN|aR/b˾WzJ1RG4 Q3 [)^JPlU fW&LY V uZvL NlS~>JhSqJ;e ,dW(M3 /!r;胬PQ0SINo3Tو|^{ (LҚ.nZp4is-oKJwlb细 kX\a)w\bD"_m-Y$`|ld>;}Ս| yh7Iax(Y݌1u]#oJRjs-!"iSM UTH"Wk.23wc:]iz|?=)@ʼnV.:#xLk[Eږ7ܟo:3?((*痯ⱑշ|C)_/LN89! .dޗ} J7{/ endstream endobj 3582 0 obj << /Length 676 /Filter /FlateDecode >> stream xVM0WxmCzirkW'A"&Q}$PM{omA"+ <(E,,ӂ)o r_IN.c̪XqoMmSv)JUw]/QUX><1ۡysk_qn〖ߏ?],'i\֧KYx @uŰb#VaY$+ sfk62BVj:JmP> stream xWQ6~_ ŋ =USUuI,;2!@|(m%2xfI,:*[h<*3 2LMpd$E9IZ4{Sq-5_?75Oe$+ $>kV~t_}hgn.%KQ7-dӸuY2rG$H`|&X?iZ&++wgP8 ׊:;&3s<.97}/+p5{kcl qv{NÄG\vN4D=)1xI %;WfBaO=I;x)ٸ\=^E{T.9g8P0Dbя=7chX16N"ҋ|5to3A WehLLԝ U"PoR\KjgI1Lۆ;!dVY<{OIt )hxd$ڪ-D/ ^R}f' kB`JLgJPPPjyhRmU00i 8Mxt d^Hk}dff680!fP8 #dMKl*&K&K6ٲd,gWdbxXҀˠ[JO!8gj:}8;zN +~~x6An6L+@1v@r- R_gf endstream endobj 3600 0 obj << /Length 1357 /Filter /FlateDecode >> stream xڽXKo6W(1W"\=.Kַt(2%C(; eɑspx[/^%0`yjKQޭ/lmU@[`}2\xK4qWY˶K 9tCgڑ9eZi~" t{X<6UOf,#o GtƬoM]PЏ D%Ld j%|Yp!MbZ[63[Lwܪ}[L~ ҄12"<L#xI{f߿0e6/ƺճ ^ AEa_7vKݺp^(]vC] Q5Е}g퍀H qV2n:@/._bo U E"{GGp؞ n|}n@c,69ۄA’gޫh?,(Tqm .+xœ *_.59%vE9D g7-ߩ-M}_5G+r Ε#䡶‰ qǐb2yy`օ}*zٲ nml(B6q;o l^kƟ!#U`1"9`"YL~ӳ0ݵL{3-SE]D23 .Y~ ٨ؙt$8է/hSUS,62`&Y^T 9FВ856tPInp\_PmDO\-j]&L$~W<Rbs}2mKC[UwrG v[ݣ8-G_O> stream xYK6r I^)CHEb4X2fcS.E"×,Yi)|̓$ZGI͏o4JT'u-2ʤB ɣ*нbr6YfņٙfD-_J*?>.~y&gm v-Νӿr_P{!][o$bE?l.D!g9Uii'}ofƕĕ$8CYugNw8yMW3&;{NNIjm Y JTCTc*zLRtZ4TQ1<}|a3Tf)"9kL7AwwA<ηWwTT|aY"(z'3M:SZ֭ZӺ@OYީEbl5vVR*l#!% .jkt嵅sI)xOw!;ˤ.Nu=yMO]#dS|zMl*B+f;ʀKmNyZe'\kTJP"hr#BBuQ@qXu:%r:$R`832׸CfI 6ܬk#~=z BeN,rIw&hX8gx(f^~^&4Choũgm9P7s5mw{t qA-hdu i,l.X7T#6qO[[XHk2s=@_h iCF7id՗%K1pTp<*PF<¦#_*q`9nڂp\6ܿ؝{5E;Nmb$%<@CZN `ٱ>Glؙ6g2|{6 <5I\8 6ϯT7% `r.eA0!Z9QLr (]'(BOC}yy7sQMtdlJ17R퐻Bj'zk?j[}ѯt}6ʼnD0Mw}k/};iqL^z endstream endobj 3619 0 obj << /Length 1713 /Filter /FlateDecode >> stream xXKo8Wh=ah[EDd _Cr(Y ĊD73 Ex՛wQ  hq[ LMLp揫L߼Kbw\q,IYedHJ6m߭Y-өJT(񸻓u$@CBPegߛN5|i%j9lAQYۃQ'2*]+ȭ:LᴙARvyNv`Ntys`yVgN>- :J,E綼y0 pShaDFiC%o͒vg^gtx-,|$8i5P y~eܭb ^egxkvϬG=32X 2LYE`.,k8 05'ܓfӷl1'x71<ȒҜvԊH{vS>`@bmV~! =jN1gpN#P.?(ߐ#σ<⚑En EPKTb|T<("9> 2DhFJT1E03LBjjHP󁹉?(t w&Fe]kZTRNjI̿JЮv ['bpK N6ϧu7P-^!Mcn{P1"^Yg1Dr;}wrv=ߪ%HE0"ȜS} 7T Ȳ *#떞F<X9@'5FʷV#+N ;cM"˙9wΔD"hmČ-kh".".'WQ<* p(]Vvs9^Ca0N9JE]wdauOh\d?n):2-}7<9G>2k3!Q98;@v,kQi` ;z^Uz,]0VFMߚ縮ˆ85#wTYD85d {1戮3BU9xڡ;y hG"/͈lwRMmT&k;t*uՉi[53.;·uyMq[e52J ݺaN8g`3zkڎ&ؒqVE%)V搗p+J<*w2 HˠJ*?6ܶa^p:6y;7:FIg9ӑHvHbfr8鵦Q>[ߒ"(4-aT24Ls׌2NjZeܣzP/-lzi nYW:w?D%wFqf3G u"Ʃĝ&6L7 `Ϋ{H;lԵ J1k:'SX@ނ&Qp-RL=|&R594IEVLfx*ӳռ4$c |R(DK,U(k#Y_L)uqN}166@)O*^UTP.0D~L"ry{xAvsj endstream endobj 3629 0 obj << /Length 2088 /Filter /FlateDecode >> stream xYˎ6W]@H)P- ]%![M@\=/)[ivh4y^:̙}'\;{":8~0{HgSŊ9ubEԛm^4O<")^?z sKB/%)ؕb'v?_'^͖C`fOLXX,̏yӉGɑ٬rVŒs&JY]l_Tq 10KR.T("e5/~?x?͖ڜG'MsU$8{4|[ʱ~\ǃ0Eڱ&.i똤$"Qر=HneKdzs̛7)Hqf8(R 6oV<&%d%AXsVoNg Hp%у.y/pxzss֛h@V6l2AF$'6)5ߩWՁ 4ZEtWmIFFPP>lţ\L#ZoI_wB0Mnx }X-z~ VV ̙l =W)ԠV B /p"~:߭%@Δ (uS0&ϋHl>-YMHoM_*d:0JwM $꥕ѵ"Pa`tٓrp0C6 E*Z/ 1ҩ8X;=zxu5X[ 4D7/:LohVҲm-b>{. Rwnʓϗ(j7/d+. /la-|;T89 ƺ}1q!1O l0Ih!q;hΪWgH &Ҍ!GK3F*ֈ;?"UFluʅFYBePڈ)׈"AyIQjd$GD{a ww 1Ss}A")^0"ṁ-Pr&@2Ù*9ꩁfnU6Y۬.E]NK֏ R[ռ`*D91rHj@O`uL}rN1RNdGґ9"wb]+fNRQ*6'D6K:e'sfDdjxl6;-VW ,,Vw'>lR,'x91]Yks?04TpWiK'e$dDhv5K a I5lSU HGo QB1ItmyaԤςa}yJ0(+Y~D,{Y\mG?L8魇=ًaio{W[vjg?oP} x>J_xb G؜ߍɗrW6Ͼ$BТ^$r;OSb{);tr| N:?cJ&k_mzpbBm I;BAPW1$̋W bT[ y.'*[]ŧn'3?K,(4%]MfDQh*u!) 4㱔DcIFĂksZKjdmu.zW[D?ҍpUQݐAFs96=37x5ARkjaoV "FRE8AERH.&Ge%\85T)T8j=)iF_B\y"ԡ5KK a0KBh^ |f® Pkutz'l X_gͽ endstream endobj 3633 0 obj << /Length 1734 /Filter /FlateDecode >> stream xX[o6~ϯd Vut6,E {h hL;eIa2ЗDaHsv,\|{&LaA.n7"&"\H x ԭm㨢`7 2W zsL$IC7N*&]'!gQ}􈭡v7Rv OG~4*)JgTUOrA _7oE%Nt{)!I#DRp+Ih8D w\6S)CHkg$'׼xF8 Y\вt6H{}i=2iMC̮S D]ޞ^4Wb^EXrF׳>7*q1z%6q[%1-`)q+'eB-uU:{;Q頂9,i& BF(znzvhIs 8ϑ=#-?5ͥv h$ tC1pTk**)4\JTԶw ׫NfH+phx/uQI9k*b~HԖ}z,]F g EW'B0'&qe.L7V,d$i4D@VYk.?{?=f \&X^;C-~W& E=oM~D{QwB3[, {Mj_n`r8_4bNE9ڌJ[ VQIϊGur()Y'FmQѵSH7QnL/{`ji44P&~6ϔ5}ʩmvΖD .8jI sWČSQ"Lq,@W}Lh*tZR,G`ɿO6Uς-S'Rpo@|*1q p=yv>툝/r|_:ʘVțxhbOCP7/a86G+u'0*!sד̐L_2]gzLGe2a_.륛GG]#|5".ҽ/_# ~b* endstream endobj 3641 0 obj << /Length 1297 /Filter /FlateDecode >> stream xڽX[6~_Ag@l}H/Iv:ؖmX86^{v,>:;ml8-Qg8i,Px0_m}#,Y"ot²X\?~tN1Jh&;TP#u;/nR2QJ =%jrpzj '&,A gySTW>\o\ Ƙ cdDvNǪ-]{]H>+-ƾ?8s]j>4nsdiYji`!SęA͝]}[sznu`0zf8x$ ȸnZ>2CF|NEIaO*;z9d%(tO2_ ˵R-e3J=B4%i 1"N8cm_m)C$*% wm/LieL囿|aQeWSW'sQ$ "A|NM1U?Q @86xgm -;Һ)!˲>tʖY^u<Ꙟ d&$&nLz5[b4'Sۧ5tg̷vByb8?ۅnv hŸ$9z1WwW9E"MOB-{s'%{`GFU@/)vtK;?YNa lf灃]z{J?}//ƍ s>ԙ3auϙ uOQ2)\~F+N C)f7 endstream endobj 3526 0 obj << /Type /ObjStm /N 100 /First 986 /Length 1923 /Filter /FlateDecode >> stream xZM1` l J$`DA`cXgfnζGE4|,zdTTTj`IJ&FM9H-Y0$%z[ERxWT VA5jߔT`R9,3z`Vl?'j=U%fP5q8fTʉyX%fQzL~6ch<c/K1# ihh1 Mh!Z k~vnZb25²@{U<0X=FkT[_ܐqh3X1F]c`)zjuMָ[=ή[bffZbXc\JɊqX5apXLddΉN͂F̃V:ַw%yQ149_ h:Ayih;159Zsv^"9{RGnG <sz9 UV9v!Qa3M 'LT hLl{$T&u!AOgo|V_7QW w1rRn@9fvI$^~°Ch"'8rKaT-I؊mWp:ddtӒg|=7ۉ[ΰ{-oxqh䒵%cˠEdw _4hkpvR 9H(\ GPQ4 %`DT>|%[6}zO{x#{/ VwکxwYJUGj?Y6d$q 2!W~\nrfya#5 B=f:E}a}aؽ/w,ʦ]XҀMP#$-F6_^4IArcb2"dV%^^R boPlp-wGKAz ",t~4^>OMj3M%nP-ɤ&Iؿ v OږJʡa<(3 Afg2Obb뉍ȘO endstream endobj 3657 0 obj << /Length 2676 /Filter /FlateDecode >> stream xZo6~߿X $ZKq]޺AXX ${;!%Qc7,ŦH|3 ixXv'%9n"c&aJ/֋ߖҨW>|byk-p>[Jd:<^J,ۢ}^6{4mp`I+ZӵKʆ7CіX] m62ko]7l斫.W v Gi^~3j_n~/uO(!eRUZ:Ų?͡/7%׷IԅAD|u6p eֺ jVrٍN`& |i .ɺRL˥Ld`YV~C0I*S?7BH 0 ^JG׵{#i'8|`p;9b3tSy.%/௰>@_BE"AkpaY?6FTJj [N mm[Xԅ- ˎ}Uv?cJw F`󚧴ςK*x &Te8zKXU.,#Z7 _V$GK-)6!s  &u#r?D>9* Jd5B)Ā્V$HMK߻- ORe3 F<C'W>v)n }S8kB Xy9PB 0asb*1O0%8 5/r=h^Lf2 W駗ɀp4b ;vaHt7dQr_r `^ \@]X՞ ("#j$OXKP-L=txiG#W]X`` 6j?ZuOC.mKADcF`Ve_"f!4L:w1e 6&tr5K-k>0>4]vغ̥Xso,OҜy06`ȔaCxl&e#]0i1°@,3ef)s{K#cD"k5&Mfx&xA"e6+Gz 'p]ƥ4[sOӆ MnbL&Pu>Z]0gj >"vipJ ߁:1'[yrr|Z.ïp)IrСRˁ!V{r `ƷGߴlݟa%"L9p`&-.oddP\" Ő&VpLs%WԔuD%:K Vv)K@)+[>{%AgWڄѦ~?bڀJMQ04?&'/_&*US+qҩud둭AZh@Dl`K{hkG ]6 b2^`y2{KLB3 SDARG})heu QWaM"٣>j|Th׾nnf_5Gpk㐫o DE[WeK,rv4ߋ]McOL+p^_24}ȁSʱjL'd:t9zPo^IG9 4fՄC[(O6"¢ZNpcav“0z&5)ȩ:Œxۑx;R\[jc44SefP^ i9C>e`fp; E8EMJzwQ:T`yWRIƾtŠk}z][2|-Y>-ތDGI x?5ς-NF! /`rxU?E=h`~_ֱϺqM]aKľ"O}u$fnNW运r< J8HЌV1KgpE#@h/ ZGU!(ļ6DqNyHȸ `O)pRszI+d,>HwazxO|j*'L'<11̢s*jz/xD?@h&zCGC0k:q t6ٜqTTsx^gzZ^tz՟_tqu'>t{\7* ji-E:B HjO}pO!\\ ʤc2WJfsڲ;=ѓt'`z nw-p$D K7%̌D9˾-ݮ"&lٽrY5§~9͜T88BOc/'_>B[z:Ψ'Gj(doHRɽu3 /= .Q/@L-~9m*]m01brTݻ?% endstream endobj 3666 0 obj << /Length 2006 /Filter /FlateDecode >> stream xZYo8~[e fyH v(y02m %CP<,tboӢCbI$o3Cr'>z~KJ& gdr$ta.&WɛJn[UOg4%I]WuģuqSv'/䂠0eGBz*/,8r21o)O^? $u=6 bErcZr┹E,,j;cńrm֪٭[Nin3QZ&i^UmkQnwj+J׮)~j.ut&pGl,MǞm]m]7]g!$m.eQњZd z}Z"1J_ R]@<Ɔn0\ b2OAŕx?G J^68p]IKhDx+ _ x;IT\KjK<hveiʢ 3r(G–_7ˢ*)ȿ"fk;:vX 5MD)blqβzbigޘ_nv_m[p}rA|s64{F(cGo)Ya/aU%5,Mp#i?ЀCny0!/H+/AX~qZ42nFj%u`GȖli%hd8Eg_U^F]y.,U֝pqYm륕d(ٟ88E!cŅ,ڨ;d8eTh`׈{ a/C(ǪGOgM~3mB A XHbzUWZ(DR` XWH(nUaA(xx=NNi.P+RX4L(wTOUumץ=.kvטw=V:mӪv,dggu x`E9/rIJ;A)nkq@޼TMZ~5ikUKw zXjm"z:m/{hdYugٕtI[LĮY9XHq/0Z3 L3޶Y+6u9biO^:Pn >8=;Uk,: K^ pr{z"m;Eo r*Pvnc dN@y MnOX9FZhƸgRT-/w ;]f"G:^;m8ن "U>CF[xvjFW ߭޺ށi>sU_ ëmM`f'pqة!f@A)0z endstream endobj 3672 0 obj << /Length 66 /Filter /FlateDecode >> stream x3PHW0Ppr w34U04г44TIS07R07301UIQ00ӌ 2jA]Cr endstream endobj 3696 0 obj << /Length 1252 /Filter /FlateDecode >> stream xڍWK6 Whz)=V%>,ffzIgꞚVC.%{_d٫NsH/:K^,]?gnU?$OvOծHM'{ԧVqk+iQ9ɒ2tb4$=oohgg*ɳʪIIA;ld3ԛm&g3Jfr^}=rw^KۘQl>םzM֗*rY v4g;r)\J ytZ[{/h_H+ܱ3x: @?LJM=Ƌ>g$a ]oJC_Ky*/굨"juuʼD9BEƸ4}m [D|4_Ժ')̀ڜmO_ٺ>J{Z>wisԈ_躉: "2穐iZ+x$@1IQeUޣb+d1!HȅH>8OY) Z i@9br.!͈| _{v#|U/j`˝,ez` tO!*["$9:9D朧|mDyQW%to_^vYʫEEpxg|d.Z+oB"@z@Q)[4°yf޲}顛!s.;QG#?Ab7'Bho 05fgUPw pqje08lk5L0pLlSJBÄ^*Y6ɉ`Yz7(h QpЛCy R 'l<@`ltjaG  q]ZOZjZo2+"9wl J%hW> "g{g#$Bœ0߃GJ2+ӜQUf%b\ulq6`4ERGq1wxsz!2[SVlxLJ|)S Hڗ^gI9̓8a"gN.2E[zՎE#NRYg^=ljЄ<|h- 8cK[C\ic/a 4櫙&8m4ěYjdR_Z YF4ma:}"x(<*\惒8@b'#\Y% mNP endstream endobj 3722 0 obj << /Length 1379 /Filter /FlateDecode >> stream xڭXv6+tNI$Gwu4vNIJlP@Џ|}( R7E;3볋+L,غOеB9'hgHzdrBTХEޢIDYs'#ơC@{'xVn! v\7u;G#B%p}f}=[@ŁD$oTF ƩȪ6!6k.O#3CX k>WK7\[;6LtrNOŞ;Y)j1ClObXg`\3HR[+,P/%^hvS@l51˕|ARF?GQ?|uR>CLph47HƇr}LfLD,^ԾMhkEVU|76Zg l d`z+V 'ft%9/?MGKUVl]͚uesuLDh h\aO#w!~hxZ5Jwh%]kd\4u/Z]=l.c<c/v(萼>rPܭٴWަBB #  #5Kd g52zY䇲|TAYqLm@/sc䨅i9|pdʗxjXGu-6Ce$ ydr*ҿe qQb-UJz0HIʻ{W澿Pf'Uz6=Now[V0``ck3xPݦ o;$2^9.;Wp:5Ovb6TOeǵi{Y{V#*%]0Z+{%^Wdj$oSPB7o;gXR^oi>K-/3T_jgQt)xa[MZALf袏VeaIͬ$zp%Yu]/Of<z[s@1̫b~^fȭxm# L\eOe h1I7id~98zӮEVy?=tOÕ>SX wUB\E>$ Yg{~ȉI00&C n9@%Af03^VۇuU?ek endstream endobj 3730 0 obj << /Length 1935 /Filter /FlateDecode >> stream xYێ6}߯0I*U[h٠) K{bH4=CR$ӱ/о(p _l7_l|/3x,`hݹ{N6K7 C'$$LۉQ4Ɲ"_5KfǯY4#a0hՍo`y<^(_۷,]:y 6b-_-`,#$],bh5[83[4Y#4ىͫL6Ye "D}.e Rkm]eˍw(VbZVn3˝( Zwy]҅F5I .݅煬D).{iQWg:%oWvgq">\kCCLvc>9oN~Zx"5tkB"T46;~}e&:4c/ښZGxdr : @^@Cϙz)zCn$^$WK7}2`cĈ!1$FHlƃpzg:)kuЕ.jbd4K~letPϤMQm6uS?ҁ!J)%4Hɠf0$ZAW mD `}'L(Mt#qMK^>Q7f~F6BL$݋}μ_y 0 (ksw%}Xz#zx<ﱖֱ9nEBFT% AXT9r9E`%AJG{SuZF??f1!;p1W}eCFx9K<+hx1o ryfɷST"1D@KtIiH҆ R{M..u_ԢBjsJrTϻB}<\dH~鯲 z69w~Q*W YtB/4Zǡڴ8upH OeqJoճ8>ʗ*%>omB?9ҧ15;+]03Ɉ`fLVbMCRr^Tk pb:=?FL W%ӠeȮf_zϬH&K">T:Ks3 rbo$*`Yi2QǍ減B\PHk}$̟kѕ«4DMpF:?\OJ> 9!pYv~2A셼i(z^"ls08M(nןsT! Gw2aIݳ aN}{C$h[NtvƔ]S)ILL X\=5Rtz|_-#_*ߊۓ9R?:K Nyn }qL`O庽Zt⾡կԙ WsJ"%6S[dv;b猘& vIcFo4`3^^ 5"KOyuO9r4Ӵ zDazGŬ?Ӈ;씩kƱf&H0_h&DH_IR7[|mQ^#7_a"FV$ͳ<?mD ȿnS endstream endobj 3736 0 obj << /Length 1412 /Filter /FlateDecode >> stream xXێ6}߯0b͈+E^ җߒʔWu){cߡx(sѽ' Dsfb/~Y_(sX4X~(^O^/.|ʛ0>1h }ƹ|*bcϪf'R^?'T=3mQ [p0gJ* C&CSUwD^4 (aCMey0g2G(&7AueG«#$G؍2TGIMJ/JJR9EjN,Z+n-q_?8pX3,Z$'_әtw&^f@XpzEٟjײ%Sganw I5zo>;9]\QqlZr&9b kh@) '@[ Vݚ7p;d7#+*kfș #) 1HO_I`oζ-΁|7I60K׋gHTrC޾(p5N fM[k3`ls4E3ۡ hl<>w<ϑGU#|E[ת]lA "5ǶzVJMW!0=:*Jz UCskןZp5׵&?kѤF0ayK `b;k^vm=fzAB)'ȕЎP].!#]u>fz`C8ݫV)C7pA׆N58}z\1єpG*#WbiH4NG67wig s`c/.m*j`L["Dy?0ԙ9D\"0cT>zHm)Lyl6- GeNbB&> stream xXr6+4YQ !|yLiti$"B'öE4d+'nl 8,?:{Qfxv%d) Y4g6|ߊz"Ij#H2u.`[|8ap4^E44rYhpقaó Qe/1MRYop-xSUej[QU}1_0]g9IRmQGQỊ("73̒ir7 55v&O6,pX^w _]~NhZtǬ~ FZUm%r+oaeUע*s[1GH>jC"qo{ְYgZ\c\f{GrE3Pl76nF,`8bogt 'ج׾-[8QFJX.].24=Č.Y}FF J8{o[_@eObL}*îdyvuk@}1,FZ"$vƹTPhDP':C_(|xD$ >g++H<>SqDzXC=b퀐Xb21`7dD`@!.MbŻ-g(#sF6dZ,uY#LUu(0XʢgyވN%38C4fn1٢֍Ac "Rɸ]Z)F4^=_f;/a/&g}]kCa~@WJLes-rahR6%ҢqiQuWгA!N`rrpKU, rNr.`iNS=o5%ЅJH/Iwq~y΀%3CcL>%7AXůjСWˍ@;,¯%<" G9,mFG)nI fG> ^Asu/} n)B֜ƠՓ4X$Ai 啨EE: 4M4vHsZwr"j5X[l/V6ZZ-Մ6f[Bd'yvޱmQƕ&`ŃfcB\ڱt iL`|@cyr8'׹0BmIBͩ26 b#eM' ء6LmA^M  1 d))}+LjͲ3K^7(Nk~xhsr˰ل3GQzn\9*ؑ آ2TT!xԛ7BFaF&0/ #ZA Iqj3Y .v'WHZk|3hϐ0^ Js(F$$7&(˲6ROԪ( vR vHЈvb0n;$>a,oK B7r&9;IK|1r}R)oz$0,5xڃSiV[yf:R]tҌF>zπ2'2)4]5/dyt,.y.X=|w=!D8؉FHQFq[f@{,=L4‘gN^N9Yt*vC]w<}G,vO\/Z ZJMkoȸ63 I*H ,I3"kjNZ~36yY:zON ΅IgM&oI!/𻝐q?K`^N_w MDRWH_* endstream endobj 3760 0 obj << /Length 1667 /Filter /FlateDecode >> stream xYr6+:C<ʢd&IL.:IÐĚ"5E4Jnl 8 (ZlٻP@QG9Z\)^QF4^\T/_gy iL+iwDv\8 ΋;ׅ9[ruXyHS(y7OY T] Ԣ.E۵C;Lc(p0C9l46Ŏ-Wry)irj[ -vuߛ0M̋_-N~ a"|JnKgۢףLE4, 9:XY`ib%ORHf&mWȅNaUE*=RxD̦vAƷ֣$^O8)>澒|rEi3o,WXCfd]!6!7o8!k 8& #rjV.M..V#oQ\?ذ˝88U45FS> Fi:FT)+L#Tz偃F>ipK(D#OSD,gY#S뫷N̓6;;ZL[='%jģd|m)ԉlv_x ]6^eO4V,(P# .b8:B0ԓ,_ 1zjL\ f&ԍqT4Uphif1AN!xJjd zN'';*8GYMW.GWZXȦ4 Cc-t5sdF ?\GUzmlN:v]WαJ[2@=@.F sϸ8RNL콸1۴0r7{=4돦B5NywXu InbҠ/t[\!^822 p?\Q}Q2ۮ*5B~29keǫa]Fݰvcҭ)Ǖ"ǝ:no+dP[݌\n +{^ǬI\)3Ye]54=vrP&NBrn:ZD=#w]=0f;t];c>۲6(-;d>-g'cQܑ<$#*c9~ W1̯=){n5YF̨A3o'M6 i#@|݆FЦ`Bf͇HKy0E$/"qUt-B8!h,y1kB 1Z SA~1۔.\:W1?Rmn]L;v7>3#F?u(foU'h> stream xڽZMoW g8$,H[9dFtal}^JVl*k$Ç&s)"9dO V[ j _J',hc'jL>BΥJm@|qNquJSHsRvJUq .:?m J1b3RnW+5pa\T_(5lQpnUV_Tw֦a@3 vR1At)9 ) mX ""EϭĒW9HS%Uՠu.8;ZbX;՚:9T9fG8hѹV$+BNaa~u 64>@1raqP!Z0F V}Qp\9Tn>/ o%T)hh@fP:?p1(pGn%5Fq2HBӎi> k1&T~D#%ABƮA6VvS] nkI\LJ,$Nl Cvenbs]s :.FҬ/66ۿ8j{lA iBCY,hۛEؾZMyI%`}Pz|G.\y۟n߽Waӏ/ax Τ|ݻ;~{5~aew77vsƅ !B h<<'Ko>r߿Ϳ7o~ӛퟷpEdĹD]##>_aw^n_>`ۛsE R7f 13O=.5D(TRahPKʊy@s$ĀPV< vHNI9wIp ZE*bUF*Q IѨ-\,|MP@ҳ F9(mEABHX=u#YۀFq'<`p3^k!ӇHzrB>ĞA\H>Ÿ㐜z|,%D>;$8$9?$JK^3JJֆ >KdHqq<9*멗uE25#d 53BR{^EOPAQXszY2z(Ki;~{:ZCnLJj2z'`:1)QGS#|pT+xgb6e222UGP:8upsz4~ BQaXV~!g5]1i 5R EN!ʴs= Vz % i~@Bx$ܢ9wPհL3\ׇĦ$(d槗@b {$ dZTɪlz>{{(b)*9zqE[J?lRqGȸZ5l4-IlZqj b~W+ o5F0/͐O2٬ijuOwHr况@DVw“dwC[oetW||K#kZ㵨'3?3Ixjm6ކxjm#ӑ{ڳ#hF̐0r ZPC'eXuRT_=,~J(HP'5t endstream endobj 3768 0 obj << /Length 1411 /Filter /FlateDecode >> stream xXMo6W{T ?%jQhfl})eG-ERe:vݢz$ ߼y346]$" b4ʱDh>?ݫl1S4e/H׫zڕ~k)\ ,+YW:3^0:<#(e0nP[՟$"^W2d`/ g^ԙM㶪j՗v;fIzK]Y'T}gffg^ w}iO XYN|$G\"VU|ZH"GX r0U@s3X<5o~dvT/@nFzsr릵;ܴ.H$#B#IWem=+-y]¯#Xcܖ K~S}i6]S"y%mPD6e BJn `HsP.1Rwwj#'nChm$TS(: ƲO/Ү>XmVxYgpG̶ٝA h1ʲoVSVu 4G䙧Rh*6&>]նIvJUOQ!49{Ĵ%0q#R{JifMbVT՝8"Gokj8m~zWgs氾5zս wXld8T4AmT@X'> xa$S"?d$yʥ gbdUΈ_(^D"q%Y&<dEP.w;5] ,FqH^\ bÀ endstream endobj 3777 0 obj << /Length 2007 /Filter /FlateDecode >> stream xZrH}Wm*-IUT1[rak$Sd[sfЀ$Ծ"ӧO7A _v}q3%xvEdG,]/g4a] %I䓈<(HUM7_x 慺< c8oUQ/Ԯ۔Zy )|V p23`5u\AqmraZЎGY{*mHN(e1%Jhn-yVH #(TA.UYC*",೯nƐ$117LQȫȸ:gD\)0H3UpB &:P>ƶ' ij_E K "++g:1^Nyb:_yw.g!=./kbDAW7.i@f#\jcJLO'w}|B>By"ef2IMܨ0qrvX3ىHmTS$(g7@d+MHgDkc^mKgLA1;<P:YQl*_v 5vkw7}#QaKyμ<-= GEP i;3B3"Xs 2>E=>H3NRsV]fo'A/-^I4QAGhh|C [_C4@x UȞJs=iܔ 2؄QrJD);>s(L iuWޏ(3|&ԬL-7{!tIߕyVOfT2t8I'AĬ`Yc]o|l&ݚil&z{;{ 3˪-mc8v$ſm" endstream endobj 3783 0 obj << /Length 1934 /Filter /FlateDecode >> stream xZr6}WhRi!`Li:c7'$&]r||H4HQۋIX={2^\-g?_<{(!Y\.$Vs-.*.VkؒRZKؼRVQ~4+Շ_!5A `2 3l^_aSXkSQDwgepg:Yi6^`dY؊yvqvU*} H@(*cHDm>يe%EdWf|`JmtJA|bM,jSxB/( q)J|ʽ{f뛪3Cfm.ķ a 1b߳.vϨpl(ABr k2ACpm&Qqu\m~B;o^/{cLT_('G1RuhXgyek ʢ*vj-oW`+% 02o"(|e֬4)m*<? Hso A1#nOZpE\ -1Yf^M]$ H`63w/-~ n[x v׮B$@VrzKAo%DUqIV<ط/bӵ8*Xl|{ҽi,i,|YF׃#u1K/6i8 pOqV_}/xV&>g#~̒j !.\/L/{Z#X_Z!inoLey7i[Uy+͌/c}T@D8 (}K95$9 xECjDhq(*USB %*#t'j+~ۤI0CX==BaC]nB{N$9Μ6 )Ni&T(dmo@Kۉqȃ޴h΀B&:,|ozm]@sB9.֝5i6B}mRƻQv>ZsNo+gJ^|*6/x[w1oFFx @鰮9 =U֨J?*Q%RzcMC*3+CݹΕRF75uO|Ic̶x.CACR 6]na=vN\53 (7J>kyLNS3P}soF}b4F˫~:7B߉u1?_ꕮVv}%> stream xZێ6}߯Sj1ÛD* @SmlkZّ&g$%S^{ '< m\87Ib|,ap .&,aex @T`0a;\16Iʺp HnuMmza| ځ#xq1ўbMn._T&ׯxfZ&ՔL6vmKMnVo*S*R9X /ʪv.aX-`Zfjg{|y*UjWj19n Ƒo/fv)ADڥl: i8YmL*V_>[ҵ "f7p!-mn4:1%0Er 0USMj{^hCSv|3L({i\lJ5B_uCyr> G;\c%133# u쵦5' : ׵*on'jo؅էV2_UkW 2brTJ.{'0_7HK#'Ez>N9f/EG0&OSy4)㻗P>"G ^2BVV7 àф=p}yOSNHH|PBP/!3C"49\)#SFLhBn{ER Q$xƚ.OtEbd?֫vc:kpv/sD`캫3z6LAĈӋTmLez?mV^aPoȺ(؁K Vn*8瓏IZz\$Ѿ}ȁA)'*!hZHzHSlU57`˶,&8\g͠3Y*1g/[L!u!waF2(TH3WC'G{X-\'g9Z>׮=w )i4&H `7:bXxX6iP.̂> b5 *Bʃߛ[")Z_3Z݋wmGCfzf5r ||7zX}ct^ߌ {9=MJ;)iR]$ꔼw)>7|?"p=9lGJVvY&!F1o,V_.n}>%%A$]}XEFjepTi_:VVtA9m,!߀'b#XB?LG3 endstream endobj 3801 0 obj << /Length 2190 /Filter /FlateDecode >> stream xYێ6}0sH \` Ͷ5QK.=ɢ$;idKXUEt_Wz[]߮2hNHV׻Oثv8✬7YGetw"ʛv">k̷ #ids\dzEe@bI[)ɒ¾Ce|?]mx 3^VM“WW&79x4$#n,}fZ=ɞ "l m/l߅2E:Ćm H\,zO]vY@ -q7xۮ6wGٖ]/S[ӱb`PwkGC[->}T;U-p4:H|~d;q{T{8 po)ӵ= Nij/ &RBd>"uwY}oUhY]MiTޱ5ږZVji1_8jPeA^@&8|{{#*UtVF+xts G톲7>űڨ|!ݗ;a8̉o z8DzPdy#S9g<'* [g&A{?a`k'H_"(- U?IQ`r#^8v',g37)W3Mz $Xomcp9|AܩuB 0c)Ǘv팉W"? endstream endobj 3809 0 obj << /Length 2179 /Filter /FlateDecode >> stream xZr6}Pe* +/SVe1$-Xf-E:$K> P$;IńIӧ‹/_$bA0qN.R!rdywؾ#~X3REZ *MzD(̄K]JXzfmg\\˺nD&"!x"7.`XK4DskoѰw;Zm.OfYn]Zl)nf]sl)Aq)rNۣ͠Uq#/T/[+y$+7u{Sd[ I14[bQ2^Q j9_we7) k iQuؖ-(͆E,p 9̯G5Ql4ybckn'Ľ  BdvNyDSڍT]tN(G.7WEB*|2foo†כ(%h<2jMiЕi@Is-mb͸Irp}+YoqBAÆ.6d]?Zd0Ad]sQI &q2k slZRLfEӕ&+%'Rp{Xa/}~: 6,`DxӂFMfM9V6TTŰzG/=FE8MT 4}ͅeT q+#DFܴEBp? _$8Q4@ },ύMԈPl[E%Q\֖Zn㞘,Mk&O$`E?@ޯqЌ#L(0}`q%Jݾ$3f?GE)Ќ(`Gj jgG)0:3!E@kyhUky>lϾꏥ n+grP.'r@LgT^QEE_ xUjW@:M{pmrU<@d̥Ձ(F0J" $#&cqX{Ӭa4YweSZ̩Ju4uypӲE3[Eyը-KOr6Bi?D{'ozs,d,kF˴=`S<`x=zTzI e7yR<(\S']XSg'~{4Q'#gY Fd ~P8w1X:m=M]DOdM11ɝg+0?nX' B~Vm3ş'ˈ rnHVl?Y:=px&)AJ:e#o&yѕOSW~*R+~6$G@ی҅T*-2^ȸՊ/0cM{_{8149& QU \5v\}0 8&2UkTm,+I8xE SmVVewXsJ6'G忟08xi,j/͗{G0J2#;_7aAp* <{Cpoo endstream endobj 3815 0 obj << /Length 1974 /Filter /FlateDecode >> stream xZKoFWTF>ShHoN`PeIȏ,w"eHzIEg73:˳81JfLSPfb99_h/o#MQ:JΓxy?;b\IA`:Nww\BPU`#)j4RL2yTn󴰛 n6f/O6/n XG{mܶufRt y++|\0-8k$qMY}-E}'wLKDQu5kQ?Vf*O::Y؂XCw포+A U=g4Έսa\D< 6{{>I-m?xAxڐ BT_F8#QhY[Yin I2Ĉ?+:0#ģ 4'=ƮYކNӸpUɮ:("1vu=*0K'[{t#J彘]0}./Uvh.ܯ=ho3`-uh3jT.vu +urKAԄWI@Ky( w#$"urorKXDXvR6) /Plz$8Ll'K:gE\y%DRKDC!Y/Mr\jw:[8q٦ءxTł.u2=HyWy7qv5 OUarD,2 E6; 4kK[r!/D)$Rɝ@U.t@bD5t0]8T."ɵ #/Q 0LC3*L+ʎи$+\ .Jtifȼ'f%'2Y>s]ÍY N7 ⽞݄($?/0Ji>m=m`@HQvj8%Y;'upf&EunR[A7ʠo#,VE$ߗV/f,\UѪLe`ndbY @ʂq~f#f]H9E1TGfI_4fNxiu,f"\gɓ =!@SrуI*=h ɺʔҖ4ѭ6t:mkBōm ̠ZmkAj ``#<_K徉A1Ʃ.8.`)1~e기Xl ٝҝ09_NRm|. zVvm/qv)K\޶dF_x26̨^hx jzLtyB/N&'],5Va)|(Mf{Փރ`I{ovNi'DMr"d| siEgl+l-w?{躤(ƅJM :G .H&/-VzwRM&°,d6u+V8vg(e> tR=x oG^qi=?L=֤#w =yy) endstream endobj 3820 0 obj << /Length 1569 /Filter /FlateDecode >> stream xYnH}We+t;Jf}LD3(&lnazƌ\'nMuu9{W=+"<Šx/^%\xk/_w+/^1j^0E 7E%Z_h i!0$kaƌ(dX[ tY݈<5`{L>w)RJUe{6b#FF HLMч/A=28ײ*n:\qٌ4 "z05pd| ֨zc α/D2 >_'eZ#r, w#j0:iN%U}oCƂ@iߺf'"h XM?D ! @sl-!)/aq]H(Eu00&˦Si({'{"b 𬗋}yOaNS; +)!XPDĀuq]\#~o4h:Hy]qXU *K$ҩۮm&]"w)D>2Յg!,I~]GI MkJ%tFι&N+ˀ":9']˫v:+@zGcb6$.MDo3^?W6'|6sPaf6WɹS%a3!<p;7v徕μ MB09}4W .G'I5%Ԡmjy_R&_ҪAd5ttE2! %vE## -wa)h/f s2&Iꢽl :sL_Ϟebx`1* E%Mrӑ Uīg[17;F6E!m1(v駈On];Zҥ {+7@KRDGýFc;] 0@3 CU6@;x5|[@d黙 [cj8ƏVsq .c endstream endobj 3832 0 obj << /Length 1944 /Filter /FlateDecode >> stream xYIoFWV ƜQ.h1Ccj$1HFqab'i/Ť{G"Z۫'/p(Ë"!$JQjxn/lVkJZ'IKDFb˲nVx)ի_/1o8F1AޙEXzYe/)/_kgQ֜eH۲yra.EehhqIuIIbcij}yκFv}SK¸gvo0 fEYVoRVnoD A4cNVP2hsfv-W*B{i@v؋bD#eϋ*!4A) _XE)p#6Ar=dXt(cx)՟\:Mt8% / =AGۺ IiKr3EQyaX43H:xN@ 2ΉÍNx u.vCpxnzSP_+C6#f7KoR08{jt&HCe2Dc'sd/B+I P]U6*U9a#]@][^)+ zc oC~0 +AbvKMdޚWEY#8dp&Eyq\pQMjO3ݐY YtX8^a~Wr' MNBT(3BVhc=tjZ(Zɺ=XRvȼPsbʹrem5,iWF\zkk }HVsU~ [eO_Xفnh r^Z<$6Spk)F_eLoaEɘvEIYڤTXJT8LHd0 6i֥RnyqŮ^z0ym{mD~9B5Œ\`RcܦI:=ěF&A0 BU*[q{9?׳nr)G M:u#N 9=7eD>S90ӈyV jA_cO+?H ?P@x4%bҟs1h<Ç fƝritCʪR=o O0l&|A?M6;9;`u!098 uЈf[7ߟ+f:_=Y3 {Cba#5| 7-dڭh;w8=pQF({꟬dNH3P?!MF:!|4c{+n[DiADn2.Oi4}a4QR+\TZJQU5ձP0> stream xXK6Qb/` doI%#QERdAK{2-3Ùb@7oo^`/7,"lc,q̑׷,0) ڏ+(HvB|\aLz˺B( oY2>cn8?f }j5^(ghZ_^j계.VD-&+TKY^ QjI"OA"w\d]r(#}+L%RѶy^+Ɛwgz f<0yvz Qzg*c̸=G`S]0meWVooUW7KWQ򪕂gSIp(k%'vr(yo[,Cy &h>* DPD>8[ vHPfC#mj*! áG^h;Fu+iX\=Pu!j}E7hwӋ*3^**nm;Bj%> ᥐ1[c FDj3aG$ Aᕕ!V|D +"k &.;Zi{0QR%,s81. W `U֍+[GqE@& X1ѺRW#m{_k'B'^1}Y2tˡ$F>##BQҳlS1!í"FC"TǞI&ͦnʾ0xX#6X,ֈK-/&H]@QaiWɷ@.yrNHTq84pROF́U b*phP#fz;C]YvrߙJgjhrK(8kNSws\g;vg*ie.wwhwƐv_䈯4 &u7C'b{p aƥ*.%lUˉ6b^J[t+Pj qX O^4vJJkƪ B1imؼ+(Q57F{}2i_zif(1xcTM[:g6Ttgze+͸g^WJr(*/ne'#q80̪ tsHo&Y2z= (>[Q Q?5?fp&> (֮phNTnE]* Ee\D(L3en0_n7eY+}C+8LjLEb05cҏc~0: T04Ը gv%Yg DCʝqhh@$ƷUYDo+n$sA Eti8AL!Mdrpw6E[0ewMerަ|H5$ONR=@@V^N@gxl< ?Ks؏n_h8}E;_P0bR\6}QJ} ܇ ɗÓ{!g};W84P|)K^{<|qrߏuWe| ?c$;>ڨo})/g oc endstream endobj 3844 0 obj << /Length 1785 /Filter /FlateDecode >> stream xYK6X1C(IzH%k!Hr%ZZv6 ڜ$Kp|3GUͳWp(ǫ*%4Pf&m!4 4͂O7m/Uѭq?T41Jh;+,rMdyЮi8_}:I}/뱩gF^$E$'Lor$ m6pDJxp'z1|{֏!Xf#x]( fUaoUd}/>ESvmōֈԗV ƅ:qy9o(IaW&M88 h1ћ:z꧵haO@I!QƇфÎZg1N7Sau΋v +;!Q$eţ&o ^uF7 98g(Q cV70ƂW{6a]}ƪX :zX=4(qXzkύvc%*2,G0 n4Ye|- )_N1Ɍbf-E2GazI 5Nn=T fSʐH^JzQ&VTy1-F6llFzl(8|_(tH7C|+gTFQ+f\GP11^ȩ*Hɂi"d)Ji6a HϗaS 'Ls2Bҿ+aO/Ebm آn2qCVJȎLNr$BOf^ f ,Cg ئSl+$38Y6ޢ>O8I!_Z4 毆 \yő3xY D7<ۅ> @oTt|ss=Ĥ_D8|q>A8ƙkN+v́^={k1৫xQ4Ȃ;9 MefL=XNCOlkح-^5vȪbx쳇g 0< 4XCɀPS%d?ڈOx}~k5S/ы^l*>40 i&}MZmK2'ش:sIh96:kSضl5z38l K"7&hS[G3nz>9Ĥ;Ox}q'ǽҘD؈Ej1{ @UTC'2>mɄ+USkgOA,˺5$2IMMU﬘=$;-9i'za6f*vÔL,:@zy$UZ R (V#_rr0®ofR겜:6TxyӏϚp.18oO חC-YFɡf(*d4^4&9jlr!j;o$L5YQuM}b0*yM\vr,)b*!FofK]W}[E,1H Wm-7?a\]۳9zt0-{;_oz+sg%SFTu@}&4ͿԵ@ endstream endobj 3850 0 obj << /Length 2320 /Filter /FlateDecode >> stream xY[6~_GY"))h Ed ``@۴G-J${Cfz6o}I4yH\. x{1`4g"勔f ->.O~%|8. %q>֒˥,x/S?x6 )0('keю &5SD& /vҊjQET ɨ5uӥnyW2"xF"خx|Ե޶{o|: w$|f~P]PtViOv)$&Z"7C&biܜ,1u쐹"IM숒j-XEcb򒔰oCGIgb?PmUڡVeSB. @q0XʰuϴՍy5Jb#pM[|xD[%Wk OUc4cptILg\IńUs ~9V^ L37Hdj hM3ڹ k 5;.Q,D.5ZUNc/hm^Al?] #EG .'osխy)|coD5KH:%SC.=Ɖ7[ +&&!Gs̜™0Uk^#v- 4 ~(@c"!qC;hXWU{p :7[!\ >|l#85qRfTA_ՓԺ-!뭙P1NϰN!@*m r';nc_m."J[aaį_nݹdwOփ@jF#:cgV 6nW̗2xpVl[-N~QMdɧ/64 y2巅 1 vSB@X!KYN(ի9"SZ:kd{m(Do&(vhL+Rer)P;ǣx u=Y^0@R/ҧ9syn1体fhPiV-h!$#9<\b;l[9>$]%) "9B}pOܟSbC.,Ļ>RBq>E5\ߩ {$ 0`#'USX^!LJ9)ddƍ_/7T01l?SmH C)K,_`/>)ztJ^eJ9*:2FX_7,}ϡCytJaԊzg;#,YPXl/P'dڮdDサB4 >Y,/ly\ь[WlD,rJD g@}yrAzAF)I&-I8T'(I.n < .oA/T0l!\4štՐQs!^7i6,8g$ /_J4EcbV4(ʛD~wRյct!닖:ɰ̦BLԄb}Lֳ<&1.ǩr+l^l<~Qo]KI~` S\2 JQL{R9kϮc P7ud*"|λ)QPqimLpe [wشȈȺ}pˣ!B-j/a(Ul٘?]>l^w8UXr෋'2ˍ2 ͗E JlYeӃmP¨K\zMoA>?'*uOm8$퍴}uhu^lp=Mf~I Uj57O:nFmPyӞ[vqH,LÞug=a3tP_[PErioh cC?ͩiorvdؙϠBa迿_E\$I9j|]mr-sXOT %J ;%3y`QgJk-ϢzQ|>4&h,,f3e]>_<*A3nޕ }s;*(qluU6~o ]4 endstream endobj 3857 0 obj << /Length 1571 /Filter /FlateDecode >> stream xYM6Q"_(Mӽ%A@۴-Ԗd;%Z{7E9I㼙G GGn^<IID0*pAM$h$p0Ou6e':,XL)Z$BNّZ6kr,H,ߞ$4O XeS v_dtSXƢa$ZY5JvLJӸ z-OwڨT ^ڨ+^.hw~j#LH nVf>7WնYI}K¿r=fG{! M gF[t?]SV;"!{#o]DNZ} <p:Jo|B%,(\X pI\,hd1ȭ @ (D2r虵{~|*| Ai}g;w 3U=Lw8AF$V Wq_Jz A36jwAzR}rvhzyBqfrB(IOIkըekǮ E|TٸC1,I6M\h!٭üY+@&ԯ%( pݏj<'91m?=ATn0 mGp8v!V](+ksyc?ӻTwlmA 31QR$1xKxá7z6*cstu@o8IwB5 :O:kKMDdU9B 詏bwYc&$'g0Be.6F3Z$VGvN2΀7nn(u ҥ=b\lzOol|΃*5xҳ oC<PtzF/0u[N6U[n+9/"Mc=W3e=%{hFF?YZR՘xȊp[L_.-Oخ޷"نA=u].c% {NXeɇ|/0JE[}Wء֗3ٔ]+):~ uԹjK3a1AqH8ᦡ6tE:-QC2\%gvI < qM Y1#pa6z)8E@7BtyW촸z˳*CZ?[C=7zxԇ]MZ׮u_Lr`U4G>]~T|;C^&T~+*XA_ 0ʠIT}w(gT"3MpaBPoH }`\$Gj9RvFc<81reĹUZ> stream xYߏ6~Rֱ*5US]{Ka{l%}ذ5.mkg<73_z`7@D Œ7]ppxM#w=#S,KSfڪ ?߼l9ؕ U ""A%QpWSgàZxմ`,TLMEGG 99h-ۈF$ú">-$4֠뺺#6ꯝ*3哓Bϫ5(CEۼi5yR_|qDD 2jydRhL'2H;v Ι;Q^Y'A%c,n{1²U_SY?M>5HK "˕oa%đVEH٩cYkU&/V:S+ՀkdW1E$V՟<ea XYc[O ?a;]ȼB'JŃK`|Q֛ݝ*Hlb،9Τ,NXU,eev7`޾lC}X.GG?F jVKaOf4ۂ`~( !.8 8yǦ;JsҪ;#>";z$'ɪi,IVuyxՐ`m~ DzQ@P̒?A*YUfd?Lyg+Q[;(|鞭{J[ԂF'k̾$z@S~MqyGrh50Vֲ5Hvj[8B OQmvF6ZrAºV.(mv-Ku֖]Hu W܂ jc"Jk['}>ٸ jz"]EEc4f#й(CKP530wy4Wp#O>|`C)~p T$OiO"ox9ne}ؖr2T._msҮѸyֻ2n4<')"[r{/1>.eQh>f$D$fnzBR;TMxg7&S_ >K̻!rH z;tsԫ;zLfuGDsŝ^~~{iY-> a7L+˙$nLꔣlS%DŽզizPKCL0M$\=oU݄S` Ӽz'g9 IJ]湌TIRe(h݄uVc_W:oMHLhb.SGXtzk2n1v39D-zeWcem6pn!nĉARf4OC>׉K/gzDhaVGG5'%6@+1&(Pwߝ=4=Q{BFv6_ gr3M`UV %W[^-bp-f+ T> stream xZo ~_ǶZQ!  m.y6C3v<8ɏ&=MK"(f!$$!pR\ ɼPm(DTB(Q5Bpĉ&YDg{N55.C FU!T+h0V*ǵZX/PBT{zPuC5j&5XdP!ƻb+% Il)TI-aK$9&dI(-I*$Zb< =Xk8w 6[#d<71G<8skNc2<)<>B銸iqI{8҅SD \k{ATJD#娐pb 5WD*#,]?͐E.^ؼ/۫뻋͛?o~yW/nGˏwdP= \;M/^͛yp'?]_Z31}}%LxiRAޖ2!-"I={CJno6紤H@HukXtN8E\x -{`ٙäR(hX f rC)9Kh qDIH}$:={4&-"o 5C/ oH0IeK`B`0?͏'JHj8Wnj+TY~Q/ul$b=Pc;Fb5cOnQAHuB9,SVn31YˊwZZ:*wG9%l`@4$RzFCXJ.vѠK YW=Vʕe^ h]%j!Ē26*_S~uČGڑ8p&vL0󝠓`;DwC!g9Iؾ!jnm "= //'*i7)*WUo'>ON>GXѺ)rpQ&,%(mDMVz?(<wx~-DN´Jl< `O죳Y,QJ7E{Q 4LA#0iM \i=16> stream xYMo8W(c+Vh"{o"mVINC%[e'v`Oiμ7C?/ />~%> ;é##||ƝĹq/yG)u AO)(DDbnv_1O8F ` t i:yF*կOqyg70;xDjGQ|^7s5Un&sT[XH$]p*(lqf72͒$ßtar1?5[h>1I5zk+eOTcQ~Ze~جն)ArF ?iwتwuE6P3Әd {XdB+XDq @" Wcē[ !GaGě<,t$!mĶgۢn`pEun,|;n|h2`töTjco3#'܍Ӊz6O1Syr͞ظxD`1 Nuz ;#,q| T%q[3F/fyQZr,:/\9r\+ Mqod ADNѺ(*|iG1pf'),~ֶ @l90m6/!A]dƥ @{0@vƸ1KBm"1)mk!m ht;yy4s@RpC6!WK2V+`,ϡyOtS%8X@kQ:!9A ƙ?_C;Ϭ!) x v,-q;- ]?Y^{fa'> v{6N%ӡTn HҰXǭ@!zoD wg8bkVrqU. t%a-*)G"܁h8G`:/}Y=%_0pm zXď(WB6rY䄬P[~P~)8rCIQ'G]^t*sJMIf֘^sVCUFͻ}cv),[9cĈcvt'sȞ3^3VC0ұ:>"7x ޟsxiɯ\s$l^5(1^׊յ]{f8 ,N,[u0, '|޿ U$K)# 5SxDucd4> k R"[8LqKCW#psm菨&?=NkKmV4ⷒiH ?M;b!Aa QkNeDg n%?2q endstream endobj 3875 0 obj << /Length 1246 /Filter /FlateDecode >> stream xX]oF}0OfJM[WF7OMeal^;Ƒ$prι[;؜_Bgs$u$Vsl.g6_0:a$E2Teo׻x{]k}>|J?c ]T piJ$@)53jfkM :LRc]Ҝp#.6s-ϧʍCY&ylnwo<4SKÚjXin C0J7eЬ8!@ː};Ҏ鬜 !>m^"=EiMArW'H&vHt(İ'We& "*y;*#~^"Qqa/t]/RP׫*T8ƈtCeIQ,–Q ;2I)QNo/7A MjSIYo QȘ*J+{2LQy{xkxSTT7X܍yWM^S %P(_1, G |U 9p-5ԁ<`1i=qQWk=Evz_ϳT% WN3"Y^F,V~{&( "bPxAǾQQY/~&R16NȡD5>6Q(`lqL4aZn25/$XZ A! 41: HA-[#! prMM%>ܧͧN{?FCьL2cuUd7x<}Yg#qvX-4.txdW/PeכR"'<3kO#$I*ɱL'F^lVGNG'I_X7ۙ]Jw"Uç"̣$x H{7'TovC ϿԂeuTi9jl3XȎA5`pQeGlZQf*YR8:2f!//vUCSV~ۜ# endstream endobj 3884 0 obj << /Length 1672 /Filter /FlateDecode >> stream xXo6 ~_qUNiP`hOmQlg{|i׏%di>t{)2MɏŧExyl}E.€A.W4ZAƂ/|+:]K?c/O[o+QZ4K/j闡'O^|:![+8hNk̓q4,9 BR9lnth<ݚw8(eQ/pxѩo*= ,עQf{EIOîjPD?gRo&~zƓzֺ:{ѨZʢ[+ԢkCHO?O,o/{Eي^6ډ*lWSPdD(MQ\Y"#(!G/㐏tʜūȑ3\ !cHhjZG.KsCµ$eKSMeҊ:not@JB4dW3- Bvx֠FۜO!ڋL' ka`5DOi1;tSfLsƧC(ag/Nlde 2 ͛ QD?y~RyW˦24xUqt£hZh`&D#?iYUr%~?R SOKq_atMQ{k=ǿG^+nĶ$)ꡤ-'+8,p҂Ŝ> N/A,Kb~HHT Ըs" 3û(` S!`[~MߚY8&.ٺ;MPcWoB@'ֶqA86f8IYbe}gբ endstream endobj 3895 0 obj << /Length 2216 /Filter /FlateDecode >> stream xڵYKϯQ <A6H9$b@KM,yEi:)U%^e"U}ds$w?bÒx)MTqf1Y%&-6,boLaeY?UԉAU#VvyGWNvxƷ>r{5zx:؛W)j:hװ.-F؟;<$Y4]eq7fOI<=xL;^? rw'.;xZ"# ﯸ%)au`g"xf@uhf=f"tE9|}gt7GeW}9j}iO1âfmOwJ,5 L/Tͯ~6:TjW]*W *tp@ oIbʑd+p PUy {b#Lo#hE~h,{Ņ/:Y}GtJ|Iz=4UdZzl]c/@Ӛ9TB).q O;ލ4]|DlfД[_x(NvE?F?6Z }TzSrEu+ ~8e RBݫ]!fpB3ɶqO>9PȊyƬ tx?FsAf#CTrj"uzDs BTk;6c1햩4)w{?A/7TnvhPI jTrX>O4j|6P 3^-?#Z~M4^3.򷔎lo:oA> stream xXK0dm(Q/ st} hYȒf~dd$_}UduZ%zx.+]LWeR嫧:4rͲld-jtnxwغ{k.7<;["+d3TzHP4uYB|gW}fz?6'5HѝwmjQ炦%Iḻ1V6iIu#;"g.C}0z5MW7p۬ۃ}zoW^ @rЖ >y_p^k:yVt^~\ k$',eΩ蕡w^`ySljg+Y!؁;Hvs'4pݹYۯјx~ !P8qْ/4 m̈tGrEBV97y<ڝ! t$h[mv \jfed CF4t0θ"X7`>4[V1_%Q;N2aơ7L(;|ds!~?'v`4Gy~|E`ÆU&m?w0yk5Q"bhʞPj.n"$D0h9y❑L/x/9Mփ?d[e"``΂oOw1xUtGvx/<66zb70<θvaZ#Ui&yҟ5I<˼97mۿy"f@kFIV,Y@ɤBLakVâӆ)O΍2T>w 9H{V%"Aia(dR5܀l2r90ڹ$3M\E=./)hUN1@MuO1*hjt,;}b lš>983"g<aB`{m6&{Do,h5cmZݰ~e%,VFqLux(à)/̾\s'+3Qs? C(K["ѢyFEbXP +)jQe-DCX_~nݦÀP[ j4:V;ܴ| V؊Ǜ Ә| 8IqFKdVRU εtZoŅBV(5E"c2[Qãgd~qF5Fy,٤1~x)8]aL2vԖelI̺RЂX_଼ɵZs~@c3[Ocg }pwɰZ9QHz2y0]#dYfl”;&bd 8:ƯSWJu[۱t8ȹT8^۶q>ʼnI}᝸-rUsRLaM_DOw}JLJ&~J50 &0u|'߹Rlkn15̅Sʸ `$cEj)E!K +~pK(JGgxq^۰^SVN Wa O(e_]l2 bp.!,ay<|5(-#IJxC]2]NJzcb֘?h[s&sKXMd-`4z4:ZN<0o8f @Q,qZ#Ϣy1hXa/Urю ۸@RSS*zmEjXsG.T%>W_ E>r&4M~Ě6LktE̒7UuኑXYFf^ kukݫ,ӝ4j^[ۀPgw\FaTD7C48$S:ef+u<=9 endstream endobj 3908 0 obj << /Length 1441 /Filter /FlateDecode >> stream xYY6~_G^Ehqo`i-m$zw(RX'h"/+37:yD( f ASyC |q'o1}SQeL#R -\ۛײIoMMX0%1bφ 񈃀R]W)c,\~&4 F/P~M௹f^^72_ݺI9۫^4oɔsjV2 UeWw2(F%vU #?RGCo`*rc*wRD 2.E+I҄[ wBUg%ì1}VGQv[ ؜EG|^ڹ? d+(b1u1wV|ytcףg8 AibA>{Q O)0A)7pf+<Ø|y RaΣ7VLf^ˁ$61.ra?=ɣrOgyG)x@W`c:YWe)]0 T5>*I:+[a xI2Y1b5@uf`.Nv(&wyH!1t#oU8$ܮ#ḚkT3$svn(YlZg^U.rt]I(ߴ}[ !Q&l ~h(>X<,/b;yQr<_R9e v3jXNC]Z_y3̿ ,}W@+ߙHQ2h.?%b@r1(HSbI> stream xYM8ϯb jleܒԔ328B '&[9 }{QpD.^!8ʢ WۀG)( 6;kZ8 A5ixu'MKӊj#FaYܨz\}ܩ)(XX1ߗob_SBQ:ge[j  ՚RV!̹Wkcl̈ Jx?M(,GQ+E._g*խo4C1apmg !+}'!J^E{盞'(J${X;j͈75PM |.q9J21G6DH:$[߬8:iyLi^0"_WmjCn 6)n+Z yXj*QGIVu(sEeIz>7) ˴.2)1FH6*yle7R_沨MC?8y޸֫-f LLca`Pox$3pϼ~)8? )73'[U[ e{epz^]c^ ޳Vi-JLKd%|/pj= ϐAfi+QJ?}8Q0%.#:GQP0&Jc|I*ȵTM{MqpWC%OIfRlϥϛ@pÃ-2࿨_{gejPդ6:9HęKegd8}&[lw~VRiqdWUD;%J%\/Se-42> %ދv=߁f!:qVZ6@@bO_ ^&W ^_<};rACP/6.[ۉ)!|易SkGa)`d`ڏErfA aGe],a-gaeͰƮkɝxCoe}aȰ@Wz _z!e0WR4Ya6҆?kY}|ϰK-v=myX{L<W$ŏ endstream endobj 3919 0 obj << /Length 1288 /Filter /FlateDecode >> stream xYKo6W-e 4ASHҖw$RZIJZ4E gCc'W'o?Bo$$Vs_>'|lhw= #)B6. 3??ʤ0/ݩUT"*$LUFg%c̏nAL[^%s/oZRo*)$Z٥]v[; R0z Z,9HgEڞ aHp\FzXQaty LˇŒJ̞Rr(.]kXXZ7fi߫D"i%-@Ae=0٬JDŽ:p oO%J=9K! 1i4Fg>h ?3,P%RRMf0=rZr!ޒ $0T]BaF`wuR&qZđJtRTr_6Q\$)*.n,NSWm^m֖m=1 W~0oY?;p'븉Al|Z ϤY錢3lVpĠ@Du1pZΐ3+&\Y1h4u5 hPNCĂ6%P$iX;:+W` p `ֈ)c>N7NS,{7& "ȑ޹@awnȸ#9z  ; q5x `32@Ƹ'%N)OyQOn!, 鶢xYWēO W/)Էw. V*9™E@XI&L̙PlU(=anA:%A@wN4 [\ ^Tv q3σ`r:kF)6)?Tถ 812`@O> DGUO(@ " Y3.Wܥ_ `E9@_k3k^MdŹg ^R"+BظZv!mmo#̐@'EBG]@SD%Ӑ %eZܾU0btJ}J91qWޝCKaA"[v)t~9 DdhdϹ*,h[3ǥXdcD #{xt͞9e)\ T7 %.\ѾzERp`)XS0\+;epHwa`<)O>g4T T:߄ endstream endobj 3923 0 obj << /Length 1345 /Filter /FlateDecode >> stream xY]s6}}!!mI$t<X l^!®];_ssogog;Gbgrq/ϸLܟoM R]ޤ܇aH2j=3f9$WjЅ먪ub,13N"rHPa슄m#s_2J   ?=#GuNRԺ\2)y=lor 3s;P  oYs QBqgyfdԳlcqTq>mԿK21|5Zt' U,b:0B-:B 5"_$=La{A |mr*n`/Ǥ'.:jNs%(Gp8TOsp6Xe+TamtHZjp x   t^>j 0l\zJ&wۻ*I  x1%#Am1.o1K oDFad`扔ANC&c'axg_;TAZ(W`D(o&Zl D3DS-Aye\J8f#ɺl2n. ѩG6` ._T]Sqf0;}v@_g endstream endobj 3930 0 obj << /Length 1283 /Filter /FlateDecode >> stream xX[oF~ s!R+9V*>%5b/2 [`q}X؝8n/0 3|w.lI[3Y̒LO乐juK$z\)뇧F08f6¡I1{|OYV!0= Ű;mE<+hKRDa_!\Yeٶ?O-jM.Oݵr Mɬ@P R1@q'a0ynKYNJ3q% Z3i(8Q N7+porZCM]Zc"Sd(wt&ˇjS"@1cHhɀ8t.d8zbIZl{b"쬫CEC8\vVFo횕iCiD?n9挶 3@97ҶMWM+BZ}o$bvթf~;`BG&J9'|z؄嗢]WJxw;BL,B 4R:.97$J`Dme-󄢌uƽkQ*8#88MP"i(N@7"Z(QLĨIpb*r*"tR3`ծm}F3ԭXN2 Gg BnuW|Jx7tbZ&WX?/ endstream endobj 3937 0 obj << /Length 1381 /Filter /FlateDecode >> stream xXMo6W{O/i)X`㞺HL,"yI?q(K2 \Zbh8n-~=i}rv){lb}"b-t.rתzn'zJ2uo%wdk%Ǯȏ`sc:(K_]cÕ~,n(BVwymcvm^z4mwrЕy;\"f".E,~aǶ.X+&}@ie^*B9/'G`[6r #GҡM 0_x,1̰b/]Xw!El,kA8yZ-]"SI(Pt "+ol12+(ζ: `=<}dE)Щ/6W >b2x} Pjt&- MhVmEUɦ;m%~xP7-񈂛'^iN H02ozڐH19 HOÏχn (Oh&\"PD&t.shߑ+ɺ8 @ƽ2{Zֶm2V(QT7jjo%" ibZa{T0x&v;v~RmW?Όi.CNkO.@7g'IbJS%"G{H]&dWC*QCRϳ FɾC0UXRD"o6BאkHo-;ZaZƳZ&;T[&9Rvj(aXU'T8&{.4*1tֆ墨E*cj9@;}F0h:xO%\\qSHĸUt:Lfa)d'pܯ]ժSڧ$|qԙ{iQ=:s h3p"m1Yi ćCY: bŰ%>ˏ[HdABPn e U"f{,Q yܺW%PuU<Ł2hSG[oAUi+MyM@yvi&4 ,""jbQ8aC1(1;4q@!1E;md|iUUݼ_/4%)x2q&eG81Ku^꽭_|Ug-f2/yVC0ulv$t JunΨE. u} "5^qI]4qnվu?B,: endstream endobj 3941 0 obj << /Length 1179 /Filter /FlateDecode >> stream xXnF}WB^dH@E>9y-E8q{g/Iy$N]EZJ;;g̜Y GG?>{`DHH a.69VֿaorQdQ0"wFkJcqE6<WM뷭h_mQힹubܗa*[LxYZt׌QBU7EoTD化\\zpDo1%.XޡUYzH:F+Yo}0!Q$0A!I*=9%F`4} 11n,1wGv$Lpg2Ožg߸n0uZ)o #_4wH. h"8>*P! R {Z8Xb7+yX7~Hk{;v&]oW6ON\y7FT}tU/D;_B6xY3Iz\:c(Gp/[}U aӛr?|/ǃ^*j}/, endstream endobj 3949 0 obj << /Length 1572 /Filter /FlateDecode >> stream xڵX[o6~ϯ[elbD̀),o0, %8~<-ytv͋%~hQ.ůW?]]0ɣ.6 "HēzgVvCacd wwA6kzŃWKHuXu MyBIP4ק"+M̦|GD$9z2LXTǀq9}1 DiJx*Vr, Ud"͏Qs)9uO>PAhC@&d<_,!K ɐ꫶8^JR7vO{/T 9 圏 *zM)I#E8&J@د4</ 석5Bc3]hW)?!%xGѩ+d9:'x7b:a$3fLn{+5%^YW .S<ՠ{nOcBjrcՓ/GoӪ{_@bȀyV[. J7h(Lė7"^M1Uxp>lkHa O Z;$zگk췈Lc_qƾ/^`ޯΐx˂_kvҰW-?r+0x "u r VUцv~Oߛ ?#cD/>V@r`JecdMnlQʚd{!GBWe֬gȴ}_abv_nSKDEL3cdh ދ~˘k7y~BD`v{,"u\Y]9ӡ$\2ZkڭߠHB\+rHum-,0<ț&,R/G'W%l4G,ֶRp97e$.$VY{ HTgt33}>řf-={U^3JԩDz >S\bAʧghc2'9r`GT)O,'4={||`1ЁTհ:<}ltڼ,ʲLv)1?c5ˉc.r7;I}d/ɴ2ςn(ū EPM(VErA\P%wLJ$=mQܾKH],p6DOEp;4@1d@:Êp6ҚNXօ=2.ݡ2-ʲʰYAy7ԭ~J'T.rn?((>6̻1.1Tfj? dM?W mdVV e_w "8hBVsVns1ϐTs$EHUe1;Z4]g$*X$[,0*`o`%4Jܵqoho}m/6퀴t)UR+KVwflOSϰ4(3M! nYl7ʰ@3>;VӪX}/!4+8#zlϪjO,ȝx\{3kdxZb70r4!efK*r߄m Dbz endstream endobj 3954 0 obj << /Length 1297 /Filter /FlateDecode >> stream xXˎ6Whi#O=(ТI@i0XMT\i"%2ڞ x9>uw,޼'" 8%b4q0"8{Fq2bOY9eeManޚe~ŸREC# $,1ffe[WVjcUݘ 9Mfɖh\Vݛ%Rm̕2Ymv7b)„/ <,,Q4OY+FVsHB.@G~KRSrsYWk7TPU7(q9/hܯi,d֑1cEghll*+Z|_z!iİѯ}k첶-4|,jQ'n fdI{~) !"|.I$3'ㆀhae^P4 )hEpBer!e?@G#Fr%H`>I?X3zcr-mZ% mmƏJէBj |^M^&S^hA"ur R* W&M/r?%$x4nUEYTB@͍t%F64>Dvٵ}=NHio" *k԰i-Yſޒ#ұ1r+֤em!YiþRRH8FFN(nٷtp5=h cw6l ɘwUPVvQ"6,6U֫Pe?[ "w&#hOS$cN :YG C tޫ<>rC"7Ys1̈;.ā+7YX=1Lۑ+#AY? b򃬙;\~w MmթodR>? T*/];$ޠYaT5}.|ġhʬvafnC cgG‡? endstream endobj 3960 0 obj << /Length 2320 /Filter /FlateDecode >> stream xˎܸhIl"%Z>p`l8a0{ZZ1S/JF^8^ribUdG]ׇWkSQG=we1tP~ ]m>@nebyLSQթS~*I' N&ʉV*f>I>,y;]çFتY0S-]WSڢ':{looZӞzB+ehdO$`޲|v{i"<*?qfRI4.+p+v+E1M;0&HZ 3ϪO(`pݽs`N4J'UܵOAO?tU/6Tg )R4>o$N$1NE1ޮYlmJaeTN .\9s^At13Ϫ)-,<)T( #FӠ䠉! #5J)MwPA9֢ZТ_);^m8+IQ4o@eiو/wp5yt1!N^0r60ՇCbBNk>߁qt%9ȩ95DtޞZ^8M)lQ3 r `vտ-6IS"~$I>GIZK3j!"싟y$qcya[Fgc4/\mC`Z*%c{-)D0{sHq\v^T4[kܿwYꅮ`wHS0^4׿NcHxRʆp '_X'Ea(:KYQ`6NO endstream endobj 3970 0 obj << /Length 1316 /Filter /FlateDecode >> stream xWnF}W`mkhиn'A>9&WaTyq|}gR/E^5s3gάr٫ًK;Y,;!|g:3& H,g.( lz]ʢERGyJk.sW\v*ʺGؼYgh+9RC16~T}Y07K}2gnO=<; ^f̳/J]xJ۵,zsavOvR!yLsm18:[`H"9r,ᇪ4(5W-hT yu+sdpz.}lODUmro"yiVw0A B?&<`lxDPkjL:ymV^}l!_3QNXXWK8 cI =4$\5L=kle 'b>yo#mW{}5.V:OGO6r{\ڄ.$zp;BY+r54ʾL6EnsrI`GzW+]o|a "!u>Ggͳ-$] [6HLTԬh|@rʶ)7Ohe93lLIBjb`.-w -\iuik'I=7jLluSduW,J(=F,fF'jn@f}VMms1jO_0f{,N<}n'ơYJŘ;Pl"e9tQߓ'/c }6~ȿl ld_- 瘍 6o<"o#nKG$ ߩ-X>jtu ;.&"$,{I!f%$IX<X٪#k{d׋I! endstream endobj 3981 0 obj << /Length 1608 /Filter /FlateDecode >> stream xZKo6WV-eė(C$h  Y uߡH굔w׎!XYc837g/ޞzy Pػ\{x"PwMmdXRJ}Bb)D_n~S7IJyv]-Tzpi1 i;+3Bը %KF!4@z]/p?dHY߿hQh4\8dƌ l7ܹ@8ǯyzK e{KQin䭬|uclI &觲z͂D_D3zۯ&у~@.883L*3TnK}KG<`ͧasak#M_edm떎uG>E:Xm20܌1 ƍÍF?pDݸͮ*jT0$|DZ Gf=p'p3R`ϬYs,Dr?MzP+t#uzqd@DaFbB`gwyOi=O3PPHuQ>UA`!AX!C,zbq#&ܥ֮7IJO_z՛{=\g80 QcdE:\;dԓ XΣטcCU&Urzx/>W  ٕDaRP*#dlxѤ}PA6uO (-1fMyHK7Fͣi/J8[&WB!Gg9\n [ yٯ0>= '4>z܋ =G2T @ׇx&( o&S 6'ck]$8"rqNb6 a]d:@^Nd@;D"ceSL*'ɢw ;۽*jc~g: 0@A"VɎ;g|~]}r9fɐW j5 Ja,r(8[+"Nwӫ4)lRt"5H3q-8vg'rfEZ^0ƬtJꎧvIֲȞ*uՊ:l-i.7/6?WK`uEhc}^7 !&NFiWW Q%˸gCT?m)0 86DTv}nxZapm(z!!PdFu`L/~װ'5  )^4j/E_4^ o_ endstream endobj 3867 0 obj << /Type /ObjStm /N 100 /First 985 /Length 2100 /Filter /FlateDecode >> stream xZ[o[~c!mkHKH&-ZBCL$RI%BB64ƣIekb9B(TTuvBoMdO}[MGo mw Ē1dجW1.1THa.ǒ +1H2)~?a7aHu&%T?6]wTi\5;$pu qlf WK]ZW[úXS{A eƱ uH P4n4b:L&(@yG461> E~> ܓ=ERXʫWgEZpyyu{z執_?_l />pz{6}B@mn`fd /DҫWi.t*^?ܠˌ/y>4ÿMl(6~ejt~uy;F^wtuaL<2jC [Q*̔%K>+oL͟ O{Fhxж=\ -B;qmȩ7B/@Kz%y\5*YM2u{/DZ 9]IlTN{Ct9UƐH5UwHTaY* V!sp斁Oς)+qH#Ȉ.Ov#8g7@ ~%Z!<&=D>!AOH8M¢2(>3 +uo* zY4 PާD{{R T(`P6J&(OǓO* 9K WrԄ N0<g)2D_@d2f,'$<,77궩}F&x(2A03jd8a7ҷ28A'.Z0BڣJZ)W&=|ZYFB(sU(NT)QȘzAe%!${U"0h*ਡ*̬q e#B@#ջ^Y%asC^sM:.{=˳'yh}ʲP|]HťXL+nBmĆ@8_(rIY<>>Y _)ĹKvyG k=jĩbh HxZb!Ta;?.d2kcY4g kJ.d0Sj:' (bJ(s5فZfDF\z=&^;H%=B8*Bl^s녍}NSqP; dmvղvB8PGMP临d FcjЈiܜ:?)FA&U;@B檲襔u.5ubuQ]Fv .9\Tp> stream xXn6+ %QEtY4ޥBX,zdHʒCrMWe>=PwfWn0p lEċƽһa߯ʇJIHD) PcCMpˤN寀$X}K1F!Ik'd]vY‚wv֗.#v;czG{EЛvke (wksi/!Eqy V)ԯR0_R+(B4fրα mp>K#۩z,ӉVvaD4qv&k` "Nb,ZWH]v5j&S dg`  1mR#_ \^/RM?GF?ܵiֲD\Lrͻ ^E=HD2\Nqu]6҉H:}_C<5}*o**gz+"!h`íuEV҆f݃Z%M]*%֮1!js=A[VuEEvg$WQ7B3ƃ.ߝ9э"1%ԩuH[Ȭ(,ͳ#9*y{OTM9G 0?N|81.B^SI#n#bS YcLN4R. 4BO#zYV(:SN'<a#[p.er B yL|EЧzɸj J)Qq {,5ݑfn̶ӧjŤMUbkqTj > stream xMs0 jfjՇeC;!3-d 8`8W@F $]y}-zDt^Q$)DŽ Эm.(麌1Ru`+4d}l2Hɪ{|Al<9̩vuHLvSǐBκyiaXKWRgAS k=;NPwLɎ~ zzЌ1CsAq´/&\`dJ"󝔼f7.D/R^>TKWN1b=EI> stream xϏ:WFD? H[ޅmA(xQۤjSP76i]6';={ջիkP1/P!q+j"8%ͤdOWל_"JzT/G &eXnܮ fz*'gt1 ;H*o<I&<6g*ڶb !߭uG0.37zZNju:.>M4~q1> 뭵=+Vnoz357bYH?Bp(7˪Xly取ܴb9G?E~Y~Q%5jNfi02TZX[S4NS}-$ !Ԧd_6"'֗T"Y c~ڤǕ:*4hy[?1oތna=:  S#8q95K 긄kx2T=:YMr{T/$UW;v0~׀K4{%}1I;u[,lF{Tr{XGV=vynҪ}0P[Sw?}.e?Qz+,z!ϻ+eM U.4@`*esS[_@*0(do&cE_nx endstream endobj 4040 0 obj << /Length 872 /Filter /FlateDecode >> stream x[o0+HäbSjnuUl꿟MmɊl2{^[ Zgϳ# AYǖ)fuiBl~`b"^Dd^8ŝs5z2E2<ɖ)ZŜL Vw)xr > [x 3Rܩ T-*`2h~ZcRX7EA>@%rV$k!}%U/m@\r̰3|W./MMS hOױX"7&Q(m^VW_8ȟLJ!3Y3&"/<`E(,/U@ƣ&U> b溈bpyzm"{3[V[6zIJ/`*ɳ zvO[tmd k\[` "b;@Qv@ƍ`S HܣaQVlDI$$`ډ(<IQܮ*G|L'C\jeAUmRR/EzzU^x{> stream xڵWM6r|0CR>6I Tߚ"Z--`5-i]#^V49$gy6Ǜ_V7%-XD2*d*b߫o.C{F˄LGץ-"D2w)O{XJ.㏺JF%D whWmG\Rݙ3e;|wp3Nm5*VaSWG…1U=|KoJ}^0tY,E6{!:N}UUI\u[Elv|%fUsd2Z8C%2{!և)K)I.ǣTsR{2"G/ܮړEԾ5<)xTp[ev#%8K@c!_LڜzNyi 'zBFksm4r•ZYZ̐ S>Ѩ-*R9Avp E)ߊ[plZKIk5^2> stream xXn6+1çEIE]u@,<}/%(Mi?dA0JpB|EcXşzb*`vi2KLA6ik=ã (d!X6'sU7]fgt}Ţ%!FH)۝>?>JPlَIԙ.i%zrLZ#jցMU)3`Aݛֲ;V}6M\#$B Nj ,^OX{xɽ=Ha"XjwvEzvc}Z/SCz!J2fܶV樊LO>PJprUnwuvi6 wZBqlY70NXA_\V=?-b0ɉq/;#1Ze{)@ZAd 6NAqt:W,ӽY 9,V6iFzi0dSb"F#p=sZ;ֵ,LՏjf>v_T IaYŘ K7futY⇑ggv%pOڇ9 y>HtKT/:H$BaRzHx pYkz1{,mq u# #yfRs`NHL: Ѭn#PʭY`CP Iܶ:wTx?4A:i=~lu骺+}{ډ[6L[t>:c(=s7"tr`HRiE N2ٛ$yee䳼H䦪  =m<}SIf<;㼴[MΘ!A} 'sD&WNnS禩c+OYD!iX\Ǡjx sשC][=zl&VΕ>ИV]N3]o[Y1cޭj'8ۍOgkKv`nnhD2ہ 5rF+}1 jodP{F3%z<4"`gDU'v "@u鶶W>X`>lML_sssUz6,S˫gR Vm,k_|,^&"2iչto! m`0|,黕9x2JoJD8-xw6wZ+66C "#uFb!.jdۊs޽F`c.5nA5 (cI}W|}Yj4]r C^@TN+e{Xʲ1y<c:jvU Tg`r8Cee΋Ћ endstream endobj 4059 0 obj << /Length 2007 /Filter /FlateDecode >> stream xڽYYoF~У Xxh (Z~(-(R]Rv;{\je)'R=fmfx5IfdvetaVsϰ[⟗qX ,)O//<ᓙ^;aOebQM16Byvv=|$b4kT/%cc%`7ۖUs\81꦳b,ƻRKiWd.X/ȼkzZ/U C?MZvA l0M_0ڮTSIv[+fiVk%|Ќ2{4b%VVg ,/Jއ"/엥h nZvB}PQcӐ U ق&(R @6ߎ@ܢk H~.S0Zԭ. ᳓a(vndS QB ȘVKq rHM1ipB3>UI]('^هԾ/~ o L _|#'Gm&7t5A飱Ť_ K-Zd@Xނײ<4X#bt3͠_nޟ'J`7iaLr-P*sxpևz1y6[1qĻn˟tڐp0xR&~iT֯W.pkGl'ˇP2GU4&(TVY>ǟHLmq|b騋)yr]Gfgh(eo +փOmN K}6EHʵ>V$ü-]i*qd6Bq;DPžQd:ǐ*gA]h=/UN%N qHϬN 6ӣee 5e KM?w s{L 6 r$7lai+{?[#=H71nHI_6կ!E!uv4:i(y5b9%KFK{eZyo~ܢ,2 '< rr *FUb-:Kߚō2۽ #!c 3s"Uٹ9$ql0ΓDB4&i'ĴOl|Ex*'XԘ9S{MOlcNhZԮk5ۛV,4~}_~8P;SsC )#Emf:댩9 f&D+b߱ ϔ d"goh5LӾ@cMG4h%}}xI4 @ܧoE@L@_*ůfz _;R9YacTAO#́\uLgDR>ݸQdpKDVC56~rt;{W!8j+ $]r0ι(9Apj|c>誝-7Z%ڃʇʋdjeӚ71biN<ؤh;\1JFIqGJ um,ۊJuIY^+]z./Q1o(k֓XjD I‚q(`7ߟh,0n=oʆ"btmI(owj%NKܤ+ЄRrojOJш5Qݻul{uU ɦk&'rsjP*w%,- <%qytL[Zjvvh@pe_{٢wF~:(+XXh뛕'-5+c(69yi#{/jɳƗ()_͡Z255 9wγ{;Ch/jV M^}1R'G xl=ݝ-j endstream endobj 4068 0 obj << /Length 1817 /Filter /FlateDecode >> stream xڽY[o6~ϯ0d1 uqVWt@"uQ ]0)P$e.b4/d3&oO^,O$$"ZēzR$"*Qɲ|&;Il4Il^tyMH+ 7<ٕS"f_3wk(Os8uaޤ;}nB!l%ٴQ~)vwf5cjI#f7ppNf[=P/@eiH՞'u/how(EQI<J2r~(0T tIK*@x*;xWyRNyK|PYD] ^.TcG1iy3^@q;+j;h!ʞED6["u}bJ֕ ;NFPQKWv33S&u%]+i= åFKnYm]Kr!) ԫybN#ڹFoۻhf+fMbJ׃vnG;Db%bm)Wː$CnPrVβ![9dEo4KP/ī31[yeM=r1֚x[ڋQ`32h5a6Ÿ5<-#Qs$ȭ^*';BX u0Gy>#΀F7)PY,FK]>Hgھkr@YEþnks-# )e%5mRGߣJP"ieA9\lYBL=R-~fE:HR++p;?8᫋?2v&r*aW(]`+iQsXZOGL*b_X@+)FxN(rձ=+!y]ʓ"p/2!"ܹ *!Á D9Z8՛]`% ǻ P/Cq9,[BJA]],ʪմB!@ ۠,Pyi)f\v3d?BSuKS> J6\כO7O}?lx3);?߃ep#fëwA) 7L4M @\G98)95Z韝A̽ݥ>UZZX3).gY~!d7RSp2Y]emDys4 6*z:H4rpj.t%ykF.E1鏌y0ځ $\H/b:ZV6f;t?{Vxav]}mHWhYS\TjcQ01MkAC`ʾNE6[nZ'?A<ʧC{oUo_Px endstream endobj 4075 0 obj << /Length 2675 /Filter /FlateDecode >> stream xڥY6>E⁴Gw,L.w a e&n<׸'CeT*U$a#6?^}us'Í~*RobE nw\ ;N~#b )+z+ @z4NәRJ?IR@3uL8_B~z Ҙ/Hz禨+\me$8ns?-0wiURGq:dk{%qŁeKB A.xʢC/ư2 ]t +6[ yWѦH{"os4/(E CnˀoI{Bi s7y#c;"DdmI|{sg/}sӘܴ7;V;9?}Sɉt0Y˯#;a" 2VҗQ09 9vfߍն5.e՘V\ 1.oX nn?co=M+( d8cߚ?{ ]$HϦP?cMz$?C@=,?I,CE('g{kem^G)V9UqcJf_ a'`BC&Jk4a2RAQ&Tct%/@^Մs:tc6$,fx=v>YC%۪JBRE }=)z[(x.%3D6bc`"^291d\)nas8nk:Z&s)$T52?2 b D+ݹb,BpkZ~"0J~4ڳ,+lhahJi|,BL|k /P*eطJ:̃ 4bRKzF VӒo֓ ZTR <߳9f|5xj]oxg}Z|dS.<xbF !Q?X.czBvN=?/>* Yg> stream xXKo6WD֌HCn@}kl6Q Iw˲7n^,jDg8q(G(R'V(Y?ZfŒU> +iUVf0fì{fC1( l4ǔYw3f|xd|фK!REeS-p7o+mU/ddQWC0ndGJ;kcVZfJuߪV(kv1Cgì qY`I8)BBm}%sdXC&Ofs տG+|Oնr(W}X@xk.Ka Z3?V!XSқ,b͊ԸrNUK0*7Uyzq.QdyW5Xb"ٙt6 խOf>b{gLD;w_nI"1u ?I-N-H+P pXbdzuToֹu̬ 0S'Ml;&n Q1bp̑iž ddp*vT cMmҪƨ:}1qƳbx^uA1Q PwdhV L(&k.0$)^9T/sA)5Qz5T@Ix CP{0GxEFsah;Yu̺Ĵe?zr2Geis WN>ǜ`.g{gƧB[[y}F*JfM/>|p6ɶ̆yo*9 v\ QV]ٵPu @q!o,f]qo_ gbn21MlT}Ð O>)+k-nlUET~-eQnGad̔+Xӯ4Y]70zTj0];2n9墵w GJxW5 3]5i5ۂî)ӫEkg[i,?%s6rة- qV]ii:ftu`n|&_FOY_a;soЈѡs<&wg &&EWw7%;X)3j=8Ӵ?,?7vØ_w~ B endstream endobj 4088 0 obj << /Length 1625 /Filter /FlateDecode >> stream xڽXKo6W " ŦM@KmDje#N},tbK 9of>[mWoo\`<7-V_E^z~W8xё D(HpM/߮7gN덈S7}ԝzaNSbwH3KiZUִsX3XӖ$w]ߦYe'[k;C[k9} Ҍ YoAkxAWY%jc-!OC*1vV40lZx?C\SO'+ӪG.\\e6n^߱pc09Jke(`C=IEձ}щ/c盢W)5 9 |EJvRހXv$ LzcTQ*~PޯI+poli悻3JNegB9jEF+< l?FO)930O0 TK x!2%!>lgm1؁ùDq}*nD貀n|+n&9:K4S) F6Y!99^,XB@V-8%aۙ"w ,c>(B %P1#pKt rBbт uiϯ4&nv_ίkF;D6uNbe w(yjv/Klpbh-ش?*YctQN`$NJT@XsQ'a*뜨Z>0N6K>1F~fuMe D 墩 3'MrRe`Ed!M&Dp]Pʺ/9`96iH¥4ihO GtŦ0q~1A׶1 6RwyxI-:DQ~5ZbY385CXxwʒ}Rq @65>K+F͘k漸n⋔x! '=4"cLޥTJe3_"_nc |ps |e)mz!X$asޖRopdѶ&=̌#CjM@HňWJ4cuSDa\tPS*4r$ @t|@qYXYX,kMl\ȴmjSݍ-G}0| ɒxS| !M v_7(_4@,yd ¬ATiBECW=|_v]yW# Y1 5D+Rbe+/Vu.]?T&qճl|fa쇶>8кR|\jSFՐwW endstream endobj 4093 0 obj << /Length 1559 /Filter /FlateDecode >> stream xXKs6Wp[2,0@ʦ֩MesH-Ac00_Zb {r@V[:Nra}AYo:ia8dEKiiH׳`m!b7G\>x}E8!*ZJr%rEMCH' }ޏ Mr݋3uk9г^45Vb'z!cB#\[wd'4q;_eCӀ xMrasOfj:tqݝ2fh:̠00b MWy}c 82vh_$5JH JֲMWf@'_`q6KK4'Q:})~ h8-gpDꖼęˍo#Zk9*SyU|+y+zu 4Z/!IXnmCa[?ex8loу:树%Ly,_ϏҺ*0d@t$ep>XäUP0X{/㐢B%ib֫ #ҩ;Y]'n*}KU)(֨{ 5$˃<'i403@Hz fcfH}[ bO]rq?;̏zQ+ա/JU8 SM3I*Yv76'3ֻj5q>:0,g,V(i}H9l$.>Iaԅioa%if21c;EpIf89ؒ h:+,|g$Z$)6~'.QtAz9P5d-3ҧ@]TS%AbdxY+|؁AK }9ҳ$Bz~ӭliR dc״S,3}N꟩2 oF3ʬljb>/3 endstream endobj 3984 0 obj << /Type /ObjStm /N 100 /First 1006 /Length 2312 /Filter /FlateDecode >> stream xZ[o[~ׯǤ{vn{)N ZUV4~b)")lqٙoٳJ )H+5oZ"͂?Y0 !S-Z֪ -:BHI\*L]SHG& Ֆ]I\ TzҔR`vjsq }k.a jKkU}%}"9=$o/ qQQh5 4)0zTnH5gacIN꣰k"}F*Mwj*T@POkvS٧)Ԓ]XG7Bt -]+ %jR)4'l!X 2D=eWMbP}sA"Xbv%7"6_*̿@#fvE&>e; ӳhzM/.ߟ]M@n[Gӫex0<-6_M1#k)ճp|a"L7|q#ѷpnFxu;C)r<o[>׫0wxûbG|_ jB'~1POfzy8}}09}ݶ˓_Ύ0^OϗgVٿn)0Š'荆Fʟ0qqקZ(CChk!T'% $~"GQEmN?H<V$Stl\fhh '#q E͈iNU0b*j ` kʆ@W٣&% @,ȩ@#ǂXx^D SjZm|g]/m !K0 ɵ@C!t6<2W`" \.$ΖSӺmJvZn:#w`mQeV\+if]+ffkUYJw]|ŕ&.w c G?!ZQAa4јa/sH}ŧ\dbYK#Z8HbPkg0$J rr:PRif`^"5_ G(,7(V:~B(Z*D_y¯yEkՐpTuws TZlc-3篦t7'H}|NQE"y 2jOdQ{H)u)K\z(9K./9sPKN?(%g" HZ=)D`eשYd$VEAM=4*Y|P6 FiW6R"jC ^ iekơ #Oy(~x5a':/[Ęx L݉)+TQͅ|=޳v#%i<}"FH+Z]kYy> stream xڝYY~_7@[$@nE]  m+K%LϯO]abXߜ7/>߽ěr?6& 7y7j󯝊}˖poq/E?akoti_/LL''&L06 (cb+p @Bdf;tCE?^Zk>cm{SoV>Lw5l3/> -0/>`0-J<~\;Ɉ&ՉU)cnD|xqMzM47EtgYP짢x*#(DcyM;Xl,kY[ܯn |@Mޮ5?lWAy0`I?4fK<KḬtVXⰟ)L܈n(cv+S3h1uj]oa8AZ 0@nYqӐKLx<RS\5(o-N: mσuhθRRZT-NS g\c첺Og@'WBw8fV8Fw#LJPDL jhJA@匉H NeTN@v-xfJ^!Jq>QSRiAOrlᐌ S BflcOn彏c4#&I6?d\.Z$[ brbƣzqfuj'ԭU  8eY Q|w Y\c4랷ʟ[a{|zE_0*AriI)Ծ/VE*Zd#@>h`#$]$l4> r~ٟqWΘ8vwq{ϐk~fq-0l*6u8ǂԵie8 ^Np*1ς%]냅g\R6.NϨ%Z-()2i8=`F 3se\+?s/LɊv?H.`cqkU1>;.bV8=Lƙt|L? MfUY+w> stream xX[o6~ϯ0$c5+(uEݺu؀a:-;%EMSQҢH4u.w. WUhH0a%J #W?e6yYoL]W6+YǷ(8Y{T EGǠYI]W1fxDjC"E7}(ArRAs.ՋAeo6;6=X48iݩu[YoQCWڢ*sglS({R3,McBa~&!QZ [ jC9Qj7yT  ݲ7kwr>ou^o:DkK>ru q6TGeKshb ~۾ 0_ zxj>G| )# @T '$؏DKt!| Zg0 1+UYw Zc8V]'<@ }|ǒiPpYiOv\hǝYC'G!nOH vY!W~ejr9v>k!3݀'7ɞ#b]1P /odFqwoW($D& 2#LXꂩ?4zHt}۫cg4ƹK:$I1 Kxxd^E5&!}TYk6(ZE 5psM4̦9N8&9p3?IIotJP1PPt]׿2W(v/<N2cBф:T^pGQ 31!>%fha3ᄇ wO!Nw{ "dTV I&15!aG%$N'lonWPX@#@AgP!bXHCx&P% wOvK&&\¨n%T ]SmWULTDX[Yk$ u aeH,I3 *ME.ߋ㦁S#6my30'`ʛ$ŞDLbBp!eEeq>f. cZtzۮr'r3 q6aǸMJR!M@V龀of/)fx\m۰«I0acP-_fwe~AG^?dM7b"ߞwQ~ܸp5Xi];j66TnߩuJP+s2Cg:/CQ*~FMͣB2kl  G-Kw)``5Ⴘ@p6}àda <~wP4,KnVQ|8A+3]Yn^z2-r3'=6y|1Jj&4^FXJuQI7VPӢX}U43$ Ӄ9Ł=3gz|P*~ƛ~gR >zQ #wK\sYp3;ȱHMI&QO,R 4sWn=oFzHMFЈ˜Crs=T6Mw^ۉȦ>> Oc3Aڅ^J%ߘ)l':?ۄ3@;Wě4^) endstream endobj 4113 0 obj << /Length 1631 /Filter /FlateDecode >> stream xڽX[4~_QVB׎@,E@ThΥngv:99wvEW?]}s-+FIJS٭h-X߂o׿rE'(!QW!$) zGS]QD(ϴЮ=M4FNllu9NAU,^nmkc+^ymY>P&p( Nቋ/E oZ% cU8ɢE5 3@'s^Նpʭ sq!u<ƽY%pi+& *!dz-ِ  y@2Jq-﫲>I<vFIdF]HoCC?~l8-s{dV;iP=jڮou!G(]*\}5;5D4 ["~'[4VbsX7c~fDJ^*kTAPm KLg-6g"ZsYjY]dm+W<\#v RoXOQƗkoI/bnH.>4Q  m3UȺnoP=>xP̀9፬pBtƵ1^䩅J^4* z4PlI$f}s ZЯm44D# qŴ`Ucjw4(*#Pօ㠇Mpn# Z;Vebof>񡊿)}Cn[` ){0YC:/2q:[FEpn _`]K+Pu?G/ XZA=(6EOر,Eb\v35bof0boZek/$KbczFg[o>7GMD(q(;YO܂a1.қڟwG&E"`fHF:Mp8mF3w miKԱ2!a}8~-Mcc$eEQ*}P9Z#lMm顡V]8gtD,% tZݥ%upq8[[=1(Ay_ ,DW}͋v|TZW< YU9 x̘= 3`*z'qt wMS+i5RYuv]k87U(zuݠ: :̜,>:J..{:\ZZll$xi_c!ۏ>YX; |fGV,#թ <VM sGּF'oքQ+*D{O@c>7N5ZƗ$"i"F,oegzC+.*SԻ@Ci wwv"/=~1?͟>u.ww~e휰i^KoB)^Y0\=Ѽx\Ycޱ(aadpb;5gᱷO䱧s_=Gk?j(-'# r\KRA_;9k'Z&3 DZR {"kc?6Ie endstream endobj 4119 0 obj << /Length 1885 /Filter /FlateDecode >> stream xڭXmo6_oX)ʒ:l@ E}h D,y&w$ԋi7 %dx/=duJV՛HIIV׷{~PB7iFM_ŻZmnD\>?_=ɦYFmdzիM芐2oMyVz},RFx MNI/sT VߔNMVYړhrxeUPdIˮ?N}?(i`#jAD"jR5* ɩeE=SMfX13csgiawz5LBu@;0 aE$SBX{W!P 0uPFP*sP98E,Tw6Fhֆk`xܶLse8|!F<<lU XOv)snM#H6󿗵[ ^E΀JiC6&= V Hmm1Ɏý3 6:=8Hk ҕۥNufT?֠z]7̫Yu;@qiČ2r'!d9 lx[]yׯ16ah LnHqwlBaW>?*| *wg143,m(HO*R,/8EP1Z i9݊+G  DgY\1)}ʛL>Lk|<'7-mw_]P'ZD(kHY 3 E[ϑ!Eu?ttQĔ \-k^'qPPuݢ&cr%hC ;cԠX8MN<ٶ>B f@l|_#=ms04Nއ@>607nՔ,OnQ_S ts4(M oM k762|r el.˹˦*>r g:^= CޒFeX#O -iMmg ,dA߽;uS/e[f;ً+@tp8H+ Dқk oLr,8gqrܮXB:J)l]p e*-bJ~lUsh\ ^;j\n9ng9VLo̕ӹմy`!D7O"egjS4nfs#^`;)Z:n f::%&DD.*y I;މv@xV8e/ N4G{q^@m0J@ٷU8Nm2zlLؿ9WmWvɦ_ F2^h4VNǡ}=T牶mC3a侻Z\\I-JtRPdV ñ}ƣk;MW gO -X<\f!1]eAzA9N%+0~(Vϧ Ұ`Z eUP){e7F`bU6ԍe{H1i?EfS]όqnf12k6δtu 3-8 ϞYrllwUFy!jmFg^}nWHwfN[zÂDŽBT ^@.ՙ uտRy endstream endobj 4125 0 obj << /Length 1313 /Filter /FlateDecode >> stream xXK6Q C,-S ٦BERO*l@O(3os6wF NH91 b,"s%јkQ,DZ(_ҺV8nOij-60 nQ)jfanZe2\'TwnQ~: ~7[gAFb~ *Y0}[nx"N0G/%J4TC.Rp*@& ]Sgc4,'b8}Hl"#r{yj"򓊑KU]Mj G-bK@B4/\/j#~;!e@xT7'+m P15|]tOTe_.s\KqwpkaIU+uctG2Ùa[xY@D _;"]$݄YA,FV6M:ǕdaHݨսU9>'*i]>ro*Ptdl0)a싷+M~U[ 87so 1n/x:A訦&“\/}@e v ШsA'R;-]1"~!~MOt; toO⟅h\wHF^eYL,T1sQ[- Rl*o܀ endstream endobj 4130 0 obj << /Length 558 /Filter /FlateDecode >> stream xڽ0y P b^6=aRO=pk+Ce !M߾&li ' 4gll[x˵-XA+άȷ"Yn&q }s(zވ-) 1.]Jz$Q r) U7k E>*IRyc7d%1}ƆѺ@]$B%T: Cp5B!#͡jPm@VX qh Iw0,tqN˨noOh5gpJ:R,% # lv um4-s3;y))G풛YN\KnDPMLyBn|dnLeSȸKm'LV&Όc`7mcgŤlw'nN Q(5H{,OSj5dְ%C 5F%gCUhB-TWŌWdnލ lHԎUwy?b; endstream endobj 4139 0 obj << /Length 1819 /Filter /FlateDecode >> stream xڽXr6+t U%!Ň$eRaj*mfʅPD"5$h~+C%\lݍ^7nV׋.} LKگrv cdMYt>jKSn*y,W9*0رKd:lq`pSf߉z ONmwJTnގ10FSęs.LCSscYƉ9Yⴰ _^d,,{n_+md2ƒt"zKDvB͍0+Ds5C x A-2yl{f%zoٗCoEfӊE?)R ŗ`2%4(Ι0ޑ3]UzOAθ /?zJJurK؍/U'Չ]KLhp I1Ȧ89ѿ}C$5ϦP6{凔nDŽ۳Q(t^@9e( Wzdef/^zLvHÊ<rv?ݢQZ<>Pҗ%qre+b$,l-…Tx"& 䄅J%$Z.Q_cL[{(Zg '8v'1JsL cMvr/xc1X*i5ċpWfMϭI6#O-5m|IZ6afU #yNωsziqd}EL@i1&)NJ8>Zմ+2/yÃ;9y:/*c*yR ^[|$kQɉskh bv1M̢] ݌}8uR)=akPA9JD[ cDU?ȓU?,:w}}};k &{NdҔE4'x4q"ʍ!+)@60w0y8ʯ1x5j?ȭx,Xz{8ng$'.*O<{`yp -PQPZ\$1Rǫ9Ljmߟ xN'){ p\<г)mTp,7DewSZuIN-1t߫q u2493;uWb燭x]o8NB5ub%'džokg@slceYHY)y.nLlQŘ)Ts~sz\lj.'.:EiL+p9 !ݜttʙ/&ߕ8A~g!c5aoYn6ӄI]?ě6^XY=3:Swv {vP/. ho endstream endobj 4144 0 obj << /Length 3051 /Filter /FlateDecode >> stream xڵZ[s~_ffrb/6mmgݝ -AkN%R)g7sAK |8w(t_~+Ņ<"iE6J2M-uqX^l˻ÕX/Wo[aKk#D%[Yk^LEV&Z\,U&?H>Ϡ}"!"m҈|Qﯖ2] xJ|ċ_CYa-O4}Q_?dL -|eyjMcXƶ+gr+BJSx~o˺*[l4*am׈Œ^ ̀\HasR{SonYjgLNLt @L+\8+kLƃI@Dl3@RQQz'8p0ye.W~ɛCeLf Ww7 )̻W:qm d Lyd c,(uu"@Q0W%ŅNk0Z(u|'xhv=oV6`1Ҁ{UF:}OߡB%ʶ.tz%ƫ t "9P0 wqwnÌ0¥4dE]Q +4L"xg/9'a? JٚCysҚ> ,e7(9W|oR18/[a'1;N.eaxonV@Achpw?KNU-l4N@;1QFi_zY "A(a/_w> \p&tMW.b4neL%$!|$$a``EpLY| [0G2B6O>njGT.Cg.p#AnxmG}N_-WqhwAXNn-¹Ywҍ!=@8»]E/^%y_ RD. ɐ%Oj\ )&N<7۬QU1|="sqY?QpGّ՞pFΰ݄ `6"Kaݵ<1ۂlHTT2kZ1zzvPJhTeW*,RTdpFxn悻dpM;;,:$DEi+_77~xq+;QދbN=@\emewsʗ/wDzǟ==MCXN,ܞD'Q''loQzQVb쾫65+M5Ly=4 *ȣOpdi1- ״7~?Veɽ|Mk:ؽ fcRiW#=N o1)*q(h 6jhg7$עj3Qe 8N$vc94eH!Mg1ϑe<#P endstream endobj 4149 0 obj << /Length 1660 /Filter /FlateDecode >> stream xYKo6WRT\RDiZ)CQ`nPl֑\JKmZKD| !gt[F9n= aV#_n2}bbNg Or;} JiTH=-,zߔZێckE~}  >fmEvܛ'$*[d)9C]P fUMO_yDX0 H@0 ,ȃS߹_ ƮPbv.~cHa6NX0M#Tpa Z: }ԭD "9Z۝wdi- ZS~䧾S#3ߕTʇw"Ybց>!E5S{GZ1Kuo90sPd1% `7Epj'~W*:d|l"8E[:JAlSS:y=N}a <~{0(| `*9PgTjW)5Y+`]tq9\~WJd$;>%8Zzt.m(mkæi괭Ϭ6{cK=eoh썇{b/M? >ҫ}KbL_8D~) /Ig_Og t_.%jGWv.ݱQ;PNAaQ#OaCtsD^xw]LazeG׾25sW]uxw! endstream endobj 4153 0 obj << /Length 1050 /Filter /FlateDecode >> stream xXM6ЭRb/JM-SdSdH&;)[Pk;("K3G"oEWoW/np(ޢ%@bvJAH) AA$_lTVv[̯ʼ Ż7O]3QLc*& ;0iDBaoY]jy{˦X&Ѕ HG,ؙmee[̒fUUg I9F7$TXp3tFS0f*aEq@ϐG4Qx3i'Gj_!iL=`F'(?SqyϨV62;ě"&٧n~S0B52Z&xZВhOWhCԻT3(ßx#s] ua}Z97;bRg)*o}6 P'y醊yeS1x鯪?}) endstream endobj 4158 0 obj << /Length 810 /Filter /FlateDecode >> stream xVMo0 Wh/SnP-V,9ve+${s{'g'g$FΈ7%8EGެ٧\.ݵ^0J̚DjW|cBk]eSI6۬8͊&& I8Kmjdy!^ s(C,c}p&A9 a2"LcDZ>d2Rx'|&AOj?"J|T;uP$GtR$(@e%?v a("tļP8mgYn@]CUݖȡV֩@+e[ yX\/3 .0$U+%ctzx~٭'.ƏMU%mLސF졁c+6*/i:u[M?It-n_f'm|74E#M|tͫeQ6 Hut|p ‡cv+HߙI y~N endstream endobj 4162 0 obj << /Length 1191 /Filter /FlateDecode >> stream xXKs6WHMC@rug:^[@Lk@0E ˉbJ0|bWWx۫;{qnMmyiIͿ=V2 0>B*H$T7|'VOq8/M8\5W&$U" (38 dcު蟍ϛdMݭ%yZN>m1CSyA ~*x`VO|` U6c^MڒIf%x[M!he&WnWsC 6q] tl@G>01ym@2 #f9 Ò}[[Zr/5{,NGE*ӷ?'ErIJ}?Pi+4#{*34>󺘝gb3ڕMcGK9In $>\rQˍt^8cUJgVYAʷ3TFe됚` ӓ;L~X-_!Lig/c< [{w37F@R{CDH*Φs0Db@% PGFAÄRrjM0cNaYʽDh^_7k~CyIws%!Z%*h>ꇾBV`d <e*-k}Iw+5wqv>Y=?,/K l(> stream xڽXY6~_a2+DYr!i@Ѣubh[].)erH]+t_l#r Yd-(7dC"1I|¢6[1,xA'o>PREl Gl~U* " 2R)JQ5-Fc_~tGa}A,WaJ}ݦD^SeD(/ *|f*+[-WQeT0\-W+(yPV9p> #%`0DCQBk|7_+Gs*: |QP9,':mr(d=TOSiPP_Ea"c51V!`oޠ]dQƌWZvD6щ L :2|5]t쌥7Zգ]ne"cLewbۢyObO6 !:T\֟/f$cnnck1K5Z̺uyl燝K 'q䒗c{pvJ@m@unW&\Np+<5m!J_ЬFqcU;ȕrEH[Iy檨br!<Cq:J:ΟɢdV ys-K607 %=-Kda"̞FKhwt ,μ:ŭN&֓9F9*5`L$8yMUrPM|Qq0ِK3 ]J|)Iw X¬%@"Od {%aK> `iQؔ]Аngiłplfe;gI&8ehwPY!H$dl4?T\V{'Z\5nd6u$fpVש YtsZ; 3"gR&e,2}S^Dpz'}ta"WMd:+) aZ3/Yȹ<+mKPnM? Bܥ> stream xXێ6}WQ.֌.$oi-4HOMʴͬ$n)j/-,j&iK\ΜQ-ŋ'ߝ=yc,u8.tQ%1YmGJ1\eY)Z̬t*7j~!ID򏳟hLg9Q׈Bm¡.&#%br^Y&%e-Ɔly` D8eɌ HGr'cQO 7A= ',k1fGI^$/5hujdɱhHV o弪WsN*yŚߍwZc~*E!ឥw.t޳ l+=wF&ܶnvK:3ٵ(XH?$l.35s֙wW]..A@R]0xK]@8E$v[ _.b.@亐tNޓfAˠd[CG` ]֍ab iRĜ @[l{ J1$;,(ꞎ^؏?ሖx\'yTP?7`Fg3g6|6ةю;:] Np0]L@6Ʒ34[UƖNw2E[c Z[3ΐEWPXw2qx6|`5167ӏӏfა?P endstream endobj 4175 0 obj << /Length 1479 /Filter /FlateDecode >> stream xXM60rXD}9@{hRߚ ebV"ͯʒV&F^V2Eg̼`q\w7ln^ E`.6E- 8Yl8 o~ 2?bE?Kf#k+BGB+dUBq)|-[ X9Q'AljJīglۊ..}Y|ZӾ:LVj6YsW9/>G{ FOI}XBO-CRQI:fu^$%noxU2{o˿4@ 85z 8kT8D!Q{c^ce;uln/%0)Hzzd)?%3Gyv^iljVqǞMk?Ogo%x/pqF'@%$g*E;ڮA׉'? #R,ikׄ/˧ŠA-6%ė,&!:1H +r0f0\DI5 GMF< >!2$S,ޖ΃萁h},*v,?bvI &H/&6 -నCO3A6@#}{FKXffR36f)QL~uv ^*$UG &j[hK~Xa<&l9y @I )dηT}uT?$}_ gQttAlYEc?架Զ(h,EB#*-:>,>PCnQsADu>)*o3Be;΁TUl=* 8T^M RRQ4cn&LX*'g 撋M]# E  EztakL۹t_ 1BD"(rT_)A?I7A; zCod?pH$ü g'> <&$Zx_pmqΑp)IDۑs[^ sա$ f1כL\|&lHg=t#ldN,i9+nCT Q;{=s> $(s;V CIa:t0΄ze v'k2[j,'K MZiuz߾|ecrG'  beu2&>;w<;BaL{%N0OJFdp|pub[$)'nB{ˢ3aY4lϟN9;RuGrG…Y^ e= 4mp oA:+Vq~xr.zݾ5wN/#v6~~ W endstream endobj 4184 0 obj << /Length 2514 /Filter /FlateDecode >> stream xڽYێ6}WvӴDI-Y;xaO݂uiPҌ'_EHQl%Y`ftiSN긊V_w4^GxusXtGluS>f$ɚRy9qfYW1QɧtԷbx:bKv0eWNƿ)MIKV$"yן}$:QMFnCnhlῚ1زnV(j^a^_[vֿd-;uɉU ~{`MܲR~ubXG`8!Y 9Ճ6k1OA[:=)1?闟۟B߶u+cP)%yQ.$.bӈ`dKiNIa sݕM$'s)|AD`f$w l};Oo(3]nW{ h`uE!'5^Һ;rU ~`0 BcjB"iũ?tz7DZ? Z n=;V0#g-w^-0l]7c@5_jZ@!6blrJٹ(~z< ]{qjy'Yn7xMrVkNpT9Y9BB ^2wh4ٻe3t=uK.oЂQ%C15SUwG3YOVU?@j5[ˋ^:3\^295o>;! AۂI%Hb_wfrv&~MS4B~QgL/ z9& iʿ_6*cFVoK kͣCGZ-ȇx` @grP(-1Uz1!;'Q[ZOJN #y#v|Eetm8kXw4RR@X6|$L ZW}M8"Jm7C|͠A'i"omaL&VdfSZ^YG\u|xm=^0Œ>fjgCq1TT8 aϏ sZp2BideUU-q˚ldxW֞MZnUSJylcd !d 7g@7לO pʯs|fX.hC +{u8SS9fҩ2nb0陉. b2X½dſrr"WXGz0lkgW60M m3+J ġ e/QϙttVOe]?Zd'"rqBbT 7J;-S*^A!cƑWDPXl@4cŦ. !1dY}IM`SeYCw5&(%@ 36 zA, %(s}E~rh|1vAo;K/1\iDnjPXwu 3X ۣ@ZOjRKC{ŚYxToTmlȒI=+p& "Y_Ժl }93j-f9ɒm:4ub/LZz˔_*muz4nKA>i6g4ϙNƦ>p&(Ox1ӓr:soZ ? yZ! fy1{ _z =GG[v7Ha]NED&Cӳ O%xj>2+O̩b'`$wu,E]HоWx&*վ8Rٍon /[)N_Td|Bp5֌Gh/sΙI M5B8=˻aݺb.W8Jb Wť\2؞.\7F<.tV[>J.g択JI z[-xͫJ endstream endobj 4190 0 obj << /Length 2252 /Filter /FlateDecode >> stream xڵYo8ȗ:w5+Rԫ=[]pmui[Y2H7Cp]>$73t./7~т, 2,H2Zܬ2Wo~h˫B1]/&p Dݳ)*Uƍed$]U˵t?=ZI)*U_/EYɪF ",i׷{]u>30r;羳,W"]=nE!h"^x"Iiwu_dU.h6WeZyrM,ףe|KUeVjlSfIˎ_o4 _lƂeY w |Ѡ˟0%aKa¢$v49vpҧG<љV_)KDCX$=q7M?D# U}D!YGܫ4z% O9p,$Jn{ը ìӚ⬫)V0N wW_RVU f`˪Vy]q,  >8(JnG,*M @-X*(  8!pjhRzmQW e83|,ә<l{` zcc,Фv,YQЫW o >9Cn}D$0`gNd3608=}:j&Nez%:{N9L_=nN;S]$Ê.v'6}UCN4nC6Q2G gڴḮ:M B8;$"v{ ٩%MZ%p$&DpH;JZsq0iڎFaQ'cv-H49N3\hI ֯G81:-p>EדɓZ򠚮R5ֿ fXRwTT1nj@"'+kùB `3I w%_f왈qi@W{~y^ RڹGOo@V:41SdHbl0}Kb]zYD@}6WcD dzs#IE>PU[ ѥV)&e8+=Frߜg[ˏbݤ<=狦尫;`j뷧YuS]05#SC.3Cw ޕ&nnJaifd]Xv}S=UZ#M=; bHLPw(tM舃 hS9d;.1/5Pl4eplgx'm,!Mu5x0k0_vؖ-kg\k<`5P_m]yW7CCjOk3iM]Nuzk{Xs2g^L= kCr^3 RO*tRc&OQSPum!g^eSi 89sYk#IyW3"3$raVg7xSVOO,I>[J9qC$j[)nz[ j"1Ld->}(!5 *'WbaZwL 7yGf d Le Q+u_R~9KӡU|BYMG&> ftisDuȚX&wOSXS]y$J2?L,n)'Qj_  a;4j_]O`1PhºY6BR 0'B}mi;ywnK-6'Ă3lןoo'.y 6/ .ޙ~ˏ r<*HKBd50$8cՁ4cuN#-d}A>9E"L8l*$H|0ٹʐ$,Nh*toKWooREQ:ٍ?QE0j_{7V endstream endobj 4194 0 obj << /Length 2005 /Filter /FlateDecode >> stream xX[o~_1d-(RI,t[}Xm ZC{k(6e8)<|Gv~y՛1Y(,nVYʢ?&8Yv¬Ȟ7[m/nCּ{|KLf SdPMʼt{@gFE 8Yw4IU<:rnX$Y +9]b7X+=;U￘NVi-oϬԁq>u[2q;>6 8F俠%gFItv1e/|WFC?{e=i>)?}2'ѲwgOX>Gfw6?QG>$,LTvQ'јBr"lھ*Uz )J{c[HQDc ,YX8m|-տCtՕ\M@ YŨ3﫶1n-;OQP)gcܵmS?$ɚW5Yw];̏3%5K JW{iō3Oq58t>@H|YXv`xE3giH#ЛyftAVͭi1'!{Yp8ycCv[ˠ@0w)j)CUN>-,Q!6ao1W[Pp ?r|q+,~Y\q)Qu7z'EJ2% #i$aN 8*AJ"xՊtnMa(TQPBYމo}YsӶI6=JA0&._/Nk T6V(E/5" [܏'CE7 {Z@%\gM}r?R`)#5 Jh ʑ亂GP&r6+Y j̺'&1DF__`?sZa u['@:!V P$ag eۙ\Aӷmm@~R)]8eKG1{X;pm8a߼ }$gYPA`1Ӎp9B3η$eሲi*sPx a-2Y5=_=X纒}d0\p%` e 1ZRUz*9$ vcr`ȑ!ͦfQa_g8L6"}1-B2 "D?t\.Xdz|^/TG/i6r7nEb:(NȡW'*PW#{^eӨ?Vr[(]gpa=OP@/b.GY.?>t0n)0̅QfZ(r*-2;m U =>lRJ!3vEJTHT~N1j³k]uY`B%ܽu `ctʼxF{Q.HhuAj0x,z0ƚpXXbO٣6p4O&_%>+hOűrVx5olX֦ek\phăApBha,T~ѺRƦF8(SZ8$)$B HF'D+-,J\ *JEz?P_y6{m! CLF2yp3Eu%U;DPcQpyVӅv$H0fE4Jc ZTj7XOF[~Ys,?Iu .j"rDYۛ;܈"d9y-5ؙھٙ!z7`ɂ endstream endobj 4205 0 obj << /Length 2389 /Filter /FlateDecode >> stream xZK-RDMjISة8qa HT @Aĕ=2D_?80 g{l:\G~Vij",0fjaf߅^VIZ-$b|Q©SHSmկ'kÏac>-".Tyگp#QYAm"lAHIk* \VQdp|kl[40, #Z/VỈH }Zq9Q7pɶѼa =&^1M*MEN]@2sy? wtYY{vxqake@&(́/}BA.>oXIWXYz_q m\=1g}HI$Hͅci0Ty/y*ҿQ][׬.W)`@VIInO0GrFbn<佈ԃ nE ]Ɏ)U@$Țe{vLUOxOrЇ7pUԊ3]PilR2OX;M#ecΏLA&U|A]}5wBR<Sᱬ9\ŏBxo,hvHήDz`qt0؄<ԢvUQi\JŻOQ 2ERS VqByt5V;'Ҵ@E*N+)7U/:5&Zvb':a ̟@=c^ RHpE^KŲ$`1q$bbRQMd1;[УluI@ڳ$)$5[lU`0f%T0rժj0}ݎ ˝CъEMPݻڤUW&D_7i..z W0_%)TiwUDGdb,dESW)@\{y{EXC:\'z~ca7re3]{[c60&4=1N҄Xn^;D/޴ %Oe%T=jMhrBN"ӂh]eX@R{h5P+9r z[4iQ96=)|$bW @n~{~w߾yd]ۜr@SMVD`|%ݷgA9+BnK|hmQe^_ 'wWf;Jb0@nLV%*΂,̦⚒Ι_ifXe댩B茇&AJ V"5 #2XsJ*uuj@<꾲˃-#uQ YoBz7ܙq+qu7`1`QY"vom$IFʇq p|8J#~2]z_ѫ77i[ť+o+|Q;b`nx؝oYSQ[2*΍p^.f)iӗCsjD*~裞?|$^y6}jG`EӲҼ6jrjיtoVlЄ8XYܐx trfWhOrҬ딡^R D}T xڶ1ºx7hx<ŀ0,Ap=Y:͋eIe:_Nf|UQAߋaHZbt5jSvz[K|yo3 endstream endobj 4213 0 obj << /Length 2154 /Filter /FlateDecode >> stream xZM- !Ts[ ZL ?fw"A(RY[94~hN 67oJoF6,HPC/m^0v%ۇS4-/3^gh[}}r?޾ԝ:a +#J71wv. ~w;J(L}/?4ˆ;O F]/fh) #oN,s6՗_}F%xٺ~^~m2^~{0kp(\ysjϾp@ܻۮ.H ou^ޑDzIEQZ}[3.">w;Fŷ ~н4+VQaVmh҄e=t霓|CD#chl J "K R&!ib H=xRTXc1 !<2J9ňDdba-B̡fվHp@U#h (P 1TBP8v 5a_I;E!CCG(^xUx?<_ TX ]dzo^ڃm?H0 0" ģJk&r#+pT7}rŋTpO܍ySv'iU^7άĵamZ:m\r_xC- L'?uzH't;y u_U0~ yK4pKA~Ǥ(Dqq'{]%lf@1Fkys zWYܖ!W+lp3 `0P'IZ>TE$?PyV2h|? šȲ"M[ѥ{0̮U{rm/HޮRc *ьYrof9oK+K|#}= d!s\!uvpH!@ j9˪/\B) ^hx :8*km5ߑԅ%|PG|Vu{;{t*|*0nƞlrCxY5("󆰺,vJ%(e3O'(DBM2+v>[`7$yo`_|&Ks-m ~5m7 A-5>|ݝsk~&0oJgP9?]CɵOMXySj:w#wR>qMEr5Ua&/@u3C Kכ^\Hc9~m'д_ cP&LNy;Zɪ~foPr׏1Djlq0WG#B&׍d⋯qScz4S< $Lz, m363\K+!!x} *A$3+S]KL+=9qRjR:*S.J^ϛ ? d'I8܋<27+<70ekX2ƆfcBӹ1Fi@-PL8\َĹ\w( FG=H} ( a$7=y롲*w5DuA8ڀݏyN^,X vXF݃yM)@-51rЗع7-vPT%H`pk5egӼ:N6k}yJ&J8ZXGس(dT}1 q}'1dcIܛI<=Ha0o7V *tx3TW 7a0,^9.Of\5hW$ac$YW8-K@s9 (m$%7jƯv_o2mѼ{|pYaҹXpfJ-KqÊvLMoB&t~QUB֜iߢ-uo|Xr П}1eG nlZ )KhD6lFn SukM:.O}=V=.(:\;^͋u{3Bo79 endstream endobj 4098 0 obj << /Type /ObjStm /N 100 /First 977 /Length 1804 /Filter /FlateDecode >> stream xZMo#EW8@Z,Zbd%׶ClOx6pꮪW3efN#$\ D.ĥظH.eu Ty\NvEuWҷgW"N¿&Jv- .5Q d CpM`U)R@ cS<]-br$FMɣbHD:IB)9ɑ'CK̓SvRK 4D4y# LSWK@+M+eg_^kS <% ]SFhطJţ; R5T*WSj5ȓ2a]5jU6p,pp"M) ^ PPyJdI.KrEO5ËX۲&\K"7k'B *:JXa Xl" %UϖZPv-ARBC6KB`^.#*%)8JXuk}/![ZX>T- b\ F!T+N-vIA\tAz?ޜ}_oe!rS^n[\0F-0l~1.@TEŋջW[w/p˿no[- :rff/wfk^c7#2t{2,lu%tV}-#Ҿ5nCLk5O@l= 1"GLHhM'C|bOĽ,#1,-eij.gW~~xxvPwDwFaE̡Dk8" X roVWrWWyO ̎eqwPjYT%ZVtˊ| ˊGugYXnX C^Q|zj\NP s1犳8_H+鄴P}"o3{X3fqT;ih ){3=gR{FA,!"H)U Jċ $4B£)u%13x{#}N}m}bnT=L *#An4Gn]uY1ț:6o]ǪX۳ケeK&> stream xYێ6}W6ftn)Z -^ld>$A!K.dHԶ!%*^6}Ykm93s .W'_]b :bՖh$Ab}5CJ8L Z-RkM%~[!+3BtplknQ.P{Li7a6[p`f؜dMYI84Q SlL{69ẕ߶۳JkSD1 }&sn$@t+kCfG]tWp}]x? Az%5+ jc;UHX!e]ncpLOa|a8"EFtDJޢcٱ&x MNuOµ@A}rp QWŬLq,EQ]{fҢ&A#Y;`.PbYX9~W i,4Tk=Lw W3(9 =]/,otwf8M3 ,=;NsccwWU!wu0tK8J>TlhҼ/.0^ #qۮ74*JniūCB2Dhg $k 6PLvkmMRnu O#Kf2[K$IQCs2u%ܑ' $tmyZPeȄ N10T1a%C h[39do2om\"gʼ'T9%Q{D+mD@˰Q.f^`Vb @<2XI 'ǩ G̥Wd!fbaRnX2?-* Y j/!yLg.1j3PG^KxjR׵V;< _h>{/ҜAe1*X8a+ZGS-RՅ+eY%L湢A '[/:$N4}xw\44QȨܡG.r{/|O_?%|v]kXDg$@f2˳|!DYlm0y)+#DZ2zp7ƝUF: 1DtĢ֬eہ72i!Όklz.3$ =q.pE^3DZ*VضdAh êkd#;U ( \/PgRsC$aZ䶛 M<3m}T:}oNiw;>Y2(P)7$=H3=(8-^xAp-<wq4+܊x)so `~A~4?!?$ -LJ_ީv]|:b>ΨԯEovsMCCf۳)!O,W5Ӛo?0 YZ /|]Onï44=R׉]3N]GuW=3pTޠ]sN*N|ퟲo. 'Ȣ endstream endobj 4227 0 obj << /Length 1659 /Filter /FlateDecode >> stream xڵXKs6Whz)5 a НNݤ3ɥ $btw_2hb /|m~~:MHtuul%Iv_:N4bc!dtunTSxTMj׿_|~IhQ9hy&pY9L|{yBd8M w6Fw:X]SuۅI-9LbR'}\3m1\kۮnpUMwCD:)5q:4(SzT?J];U錫vtSX7w{7hc޹E(L<~ur{vQǰi:fұr9\7i-!LI֩SFҰMy3FÁG`!%rNHbÔ$:ȗ,Ӆ$K eCT} T8;ͳCzxs>q"E1#zK,4Y&&%41V_".N$A$2҅ 3!"y9rQ9}"1:UH 6XƢ>n@em0X8ADW۔d6Y#MՎkPm\Q.TԃX'cO{̆E.\XoWSZV7:jXB% d1},3 #X ΔYOsR޵uvuclO)\)ˠPfE6/E]~oheWUY]B (haco[o>ުƴ6(ڹ 3;&9"m@G5ol_Hb{aQA[kI fzT0T\`3wߺ7 &X[ΝF:r0p \X7 9Mٙu *@r-SccHH#|8ipϪW j]㭩rL4"`W'V._ۋ`CZĬ\Xzemս`m ;[ )o3_~oھV ̥Q<fyg0&ya1Fx4`XzNhl~@Zl@ԃI86Zu^'C8CјRB,eJU@#Bf{v wEJ߹cmS'="Hb`1;iROc+xp]Lb2߰}|lng t=pN1MPN>L-Ux;֟ԯB:ClG@7ELA Bψ-y;3t^\r\ңH/DWylS},"SēB뤥`q $^WaW͜AIOw?sHa8=DlY^R)t4 c.SA;jN"'9;S?d.4N2Ye?*NLv,~rv{#ۼgOux>< f1z.C:6 endstream endobj 4236 0 obj << /Length 1325 /Filter /FlateDecode >> stream xX]oF}ϯX'3CTjM?JUoUD'4( ͦCsϽs0,l|0`XSaYغ]W]`}h1XK#cX:c7 ۻrZebqA݄y]җ7#\RW!NZmf%Nn:4a}QdɍI+bqg\1mܝ^VIFa:u MV33͛E?+ ];u12F]ވmݨ~6_>:(]wj?_1ԁZ:kQTT+I [K a#68eLup3\[ NgC0>Zma&&z1W"O=j@ɇNADɊ/̒JnSbp?`\2B"vNoAm 4 &5iem :A1ؗG$4J!r8>!Mt-s`B,6cȧ]nu.Uɟ0om(Rh4Ksz^ 0ѱj5,/ުHw)R8z 0L +¦6 \nIr||jPQp|w[aȵ:Yx9{,6ujt$}9ylogbWHЮ`$6mR<̧:>ؠء*H- %D׳3g8}ߡfN)6{{`IKILAPٌ]Qoy aA0ar6a Fy/E1Msup&QԨJ>%ϮF&xSmgc+G3E$Lg>%iA/@軩Dtƽ+K7J只DTLpfߘC+{&B蛁%aeL,>ٵڃSwU&TI4of1wĝWƏ:q|a\egq/QQ3=Py3 g+hGa> l>p?yCW9nmr$YidG7:oWD{L0fx屩GrE=iD8#v8YN4+fX U>e:Myӡ<F–6IFAgh#_7v꥙A܁yne&,y2'Dy[N?L;sԾ8k>.O endstream endobj 4243 0 obj << /Length 1452 /Filter /FlateDecode >> stream xڽXKFF2myXr$'D%;7ۊi-hl~}_@{;k+'_UwAi{m2.qyqbBm|>T'Mi$hynL?E5;|7lpX O^tP4J33Wx=[8FiQZ-jg.Qgc(NQQa)%јh鿫vфmW1={7яFaV!|έ|F)bӖ}];(+fe?0%*#B$1W+e !+ %NgF*Z݉ ՜ B7E]y'7@1>KV<"~_WAZ$Qz=Ke.b +[6вyp.f, c=Jņf:'q&u:{-%~j>?esm~I`0?_6)c!3ffjΪf)2)bCk'pn" /rL$>((hhn4nʼ&6wUxjّu$, =,-kA(P0 !n HՀ7Pi_Swr100ލe \<6\lkX7e<%16x2`5LiJ9jg :: H́ `z`ȢpTB`0ԥ_@u &a:cv`l;?yH^~%8GڕlFU1Ck@Vy[ vT~0X^<,Ct q]lW5{3Dm{M/2_SrT 1af݅1wrTЎA S|뺤X]c; K k6z;kXbyv%LrހUIjoJ၍S+1~AdX>rhG/kpi*r 둺L[e>q5,,j򴩙?/{ -sڹ_uRmN\/ڨu0'|=%{ge>b92O1VKxө&w: ID,Rsϧg#5 @FQ\\1o9/x endstream endobj 4249 0 obj << /Length 1437 /Filter /FlateDecode >> stream xXn6+ RD)@[@34 Y"1Iz4/d* ,XX9/Wzw(g/W$Ba{,L(`2X/̎H*ZcP җcAu~22V?_QL!’8i>!(&lhX<]) FQ05oxɪ%Y,sR3I):i`ʺ_ z1F$~:y#T ͪh_}'BiH__8 o+-u{(# vSNpc}/EUNFE!Z ayEqC{ OZEҩaNE7-it eLnxEgVVňj2U ''3D]c~> N/,C 5M }z@I?,g΅u6F6Tmvϴ6YWT+dp 9mI ʜi[{ӚT 򂗻[Fy; 6m6o~ 6@r5؛Ehh )&U3pXg zP@G@|P-8f^յkĮL%7VjmWfmUO#(rLH59ϧ̃HdQK2/O]x9G 0Z70> stream xYYD~_QoƉrڃXiv nӀP+Z]Y}뉼|uVwW_|q87?ouo Y7׻ (c|s|J}GRR!ܛAv+ybISW8 (9lWf96d^l0F% OfHr; ႓y㡮ۃnwj+]wDd.JI En;\V̧eD.Ju'W8*F4gt;[E4h!ՂqaRR$U-N۵K]]o5Z흍Y;?~xtwW'9In#m pKnK?^g ¼Aj/.eJHzp]أAÄ- |PߩUQ*23Y#z5T=Fs7GY^uP(n Tr}de 1υdsoVo`П[[kjZ.O>)ֆ)g|Im;s #ExѣŅDoyϝc.%Lj0Y0DZyE%6x1}>^ W[ww>*o[S[f =4d8_iDe^ D"Ѐu[wQ cXAY(rG9WJk?Q lKd[ɟNw:4E V| 3|J&lksȘe\D4K9;GpFnW|"νPQϼ$`N9bf_gs CH8l? XUP{ZoYG ?p(oݓW7v ^ɭ>?ep=TөҾfi6 eb`eN-36YDQeџ%rʜ I }[n3;Ux[NzY8qQBȡhR?e<[ >c{I2he/>PaY}97xdP*kKW@Ln.3+q{L) !KUeXwJCB=dǓ/@wn҆/ă=1h?g_L@0=!e!nk@0ПSzzC7Ʃ~A#?ŧ89^ees&(1Fyjd9vhHz175-iX^ tнڍW]ԃݗ7jڝ9TFhC|߆.Et-f_PY7{"< Vu`4v:=i,@q|բCU`f͑{5nN=Ld9`sFxrd^qƪ7f>@30m# u8ڡ>U.`ѵ3}QFJ_%k*5@?9ԝ_W{DAH+j?7a|>VY0++a3㹚tUb3ߪݪ0oPɢUA xjcȷb4w$XQʲ&| 3&E!)qӾZe'fݥ!߼lՅ*s3.Gi xO£:&zZt|B4&ې|D9ՍN6NuFMdո8-ԅ ''pE\-ʔX[/\mعO܃z\ݦbN`fwg _eӸFj[f$y>J]yr bfqxf:`HLm4c> stream xWo6~_G(X[ PSZE{d)#%7_ߓIɖJd/Mw}x:WI2`  Nq0/ې'tyvKπ D "3hEhnCUh6r-}IPg= Q5Y8ܨ5wu%7aN덓,9p+ ρ*׏ UW''08 3"(ԉpvp?F3oՖ/\Uj꠯iČ[ev!DMEC|L첻RvBگP+I-<4rYWH (cq(%dw^_ **ĥpaHn7uF~+QZoQ~r;^ڵ2K .]ZcFmApHN.vGH;at8HnCJX90/\1?nZn\z~j'W!AEOңW%|Ъn*E~ Ioc =؇uٰj)hU]uUm20!ʩ+:vJMZS؇Sj~jl};Na0|zS$t`q /yGDDm]nI?r̊rG ^LQ*q1=x٤ edbvPáP|x6'GN{-OlϥxOfݣ:N.>be6P Ȧդ׺lwlgq E+606^J2oi#4a|Q>}os!Q@m~a0wVF@ no:=(DK1e6yYS*TPǒSJa_KeΫ׿SmR7'׃"5+"a endstream endobj 4269 0 obj << /Length 1647 /Filter /FlateDecode >> stream xY[o6~ϯ$5+t)>Xe@d[)R@ѭ_C͔KX) ;L^~5P$ػ{ Fλ?՚RV(CGVT7Fכ?]c>\qBveR5*0μd8}mi"跾j :~|?JRK"D"q8\^4 ΋IeH>ĮD8;$;mcS|SS ^&*SYӾ͡˻2/i@PI8qplԾٸ"$zNDCfgZgMl.[wF%e$ K<vƦ  c EKchjVkm%,32S]`#M/#pi' ykUz0 HgF>M?nvKj$d0ޥI``YbX>#}ƳZe/"E4MH%-_t)8"'/o4=*6cWVvJr!!N2*rUL xn4P MvW4[(ӝ^@.!!-{ DJu }u6 V6[t93f"H> stream xڽXYo6~طj!RH'HA<ݥm!ZiN;t-nܴ/ErfzW^^=}E`㜬.VNb%i|v[btb]~+u)˶k>tvvfcmRXTSiNmeuq(ǟpm݀wWx/}+I:%v)ću jfvt~'vzwSZI£-#eDCDBMמ1y2l3Ћa'ϔ񦐭ș`7U9=q);|@c/tѶ/cX3*p[T{8A"%{1Ucϸ' EVOdI߰3daZ`-PpJ:rБG2&C 3bΔA`~,!TdUdh<٨8? o[KQW}P ul+e!:A-vR,=ԜTs+VC ȪѠg4 }9eы6HRoAz0A@o¨S 6}HP1HL#>EرeYkڅ9XKB<5}a S1hf3ٶ:}nH{nl!yX>AuFCoBXrn |8<<8M \ y+`.[O,.}jqR*.e2veJge/ VLbx?OAY6d{{]ʁK }4Gi2Й{ bfbnPL 1S9.~A_4}L{DRC3-!/iq_|}Tk1nRLKl'AAg-" endstream endobj 4281 0 obj << /Length 1027 /Filter /FlateDecode >> stream xW]o6}ϯУ D $J6`ݖ"l.YHMweRRi%ً%SԽ^`5%() @@a<8Kh _1uV|VY\]hG,̇ { ?FC!Q/+Rն(Ui2c!$ȖwH#a~ms`li?\Y Y? 3"%F'pM|ueՙoju*ru7mX^C !6SF!sߔ}npMgNihZ۝T[C3#WULo2vVtf~qHBV"'g]5enN2F অ}wSjZ;Ⱥx՜vl 8/2ysJ}„KW>~ϝ'z}84p@ꢽ}w(At$-OW/\)[OrJ3$H)b1/Gbb?/C?oZP޽xx/ՀŘNjʍ r:NWNn? Jxeu~ ?ZIڡ{Cu%{z{%SZgL}Ok $%}i2l.3HuRi/M $u!@iL"ӽM { w4> ۫~$! j0(0̝Olϥ=dzɥ?&W.M9m4/K].dv~Q4? l n;%>6Zf4uw&-ǿqHmAۜЏ13f~慃 ;9ȡ`J/ŔfEߘ TH?*GLM3RT|ѷ]q{pkB@#ՊBR endstream endobj 4287 0 obj << /Length 1480 /Filter /FlateDecode >> stream xX[oF~ϯK,sa>lխڗ*eFu&=p0&鋁\sv~uu :8 |gqn]n畧,E_rAKJ{v::f9[~FIى0$U;=E>Yo%IK˙! }#ʂ9éHkKrs{"xƻLg{O!αCVQguyQwqp;V뫕C[3ٶU(gfF{9 b;/cP3!) X2ܕ9'AzJb)N~x57Y`wk3>bo,Y]<]@6Y4J9KF)" C)uE:I~q6v.2]v.)|nl8HBQ̃d$AHbW$Xq\ HMsٓ:T čRId+Go䪚50R|8G + dԽ$J7OizX>=His7jR(PzF}1b~~2@&}݃މQOH4{HtW63dU 1H!ylhkJm %DD*]B$B?=EecO&‡mIC!vNmC 8Ř0cmYxs1+H_A}BxKS~uYirR-]xW %u6 u `c鎡9[-gi=s\i=c?2eVj.Đt3u/` i2ui+BXpp7Pv!*YX\L,i[Kjf48” YE1oN݈0GPxlBnϩ?h~ВyW{ht,ʹ#S^\w`V[+Rq 8}R҄x01>0`eΏK Av<)xQHY{^avd3u;{/Dc{ȢnitpΗ=-U4{Ԍ(T m@+'646I=3 6sr TJT/?H`:^]QF>(5I.O&2'mU4mi\C*`}H-? FiNel^(ioR(DIz?R Nl\"M/.,ݵUq :~τLN!-_M7!R˰JU`KT؂JRҏTnӳ=Nj8:dFyeH yE);̫Eؼ+z\[R> stream xXnF}Wy r/$hH[$zK`%RTɕ}goie;ثrw̙3 zo/,/^\ȋBY-7^$LQH̽Oo;~E!>h$I/wsr."/_\Gl5eI 'iU15]%,oj0f梼)Z虗l6UNډQI M# ¶j=/-`.͊R.C 9w{X]("6x@b4ɢr3sA?08Ki='PKkyftjќ >w F}pNL4ɹ3#(U+ m.OSPqi}wi6)[!A)M!29x/lÿ7Q9Ʊ2fc+|@ DZߪ =-:94twr[GƕW.7W=b<G$$~)yWC6+jc+~`,{ˮ<%ߵwg΀'jNi%9>_B}t?46d0d2淞=6c~lLֳ}&2ug٥2eOR t#n3Skwc/ӯ;su?pؾjYv-;۵nzPo2+}%PGCW):d1r!]:>`B/Z|x{p6"՟Qy֣J`XcJp2n NPG;vOBWxxU5uX~1|1Y\^8鍳"́wF}O3`iZ'[,C$AXsgp#BOHbs ?YfpìAUe)9AʲjK9U1yͥi( endstream endobj 4299 0 obj << /Length 2150 /Filter /FlateDecode >> stream xY[~_a20"%Q Avm)" [%Cu}"mcg<|+ӻ?{+Q zܭdc0KWwǿdE,Kz)FyZIH Io:$NM%xy;7ZP&d3>ծj ii,ǺkTLXbFPJk<`20YQL m JЌݽe64z-f9˜Jp7`JuFe3UkSq鸎4D"[hH4վ@,V%F),.>_ʦQe Qէr05R20M΄(J^2\Y-CL)cX\)blL#/ʟZ!X~OR(f{H;IBReGqH5\YT=WIQSŽ_k!sBސ6fvk=>wӨVD0A o9hwFk{9T}_}\sPF{FI Zm78MDFnUHP’T~-ۭIq0E R@QTm7VB@)pFݧ P~nƸnC~ڌ]~ OrنtuS;s ^ Z0/qތ$WL.o! F{F?lڌIFUJB ah * :E$wE< LX5 !R)UZ?Yg%tIL:FЌu1!t}_ ҃ٯ@uZlӸL;}VS@s;=D?uۗSx)BBCG/Ȝd6k &53<¾~n F嬲U"}ü$Y ܄Gd(0҈'[88iH^TM?6pGhۃſ 0-G/. r .Y}{4? & K׆1mqŬ3g2:(˲ۏU#*ɠTB!m 6ଁpŲ䰬xwi`+1Ѿ۹Z$3i0̤ܥR{-͡E)4s~ڇ+Jo9=%.j}dCs"Kg6~*cNuNCN;-«2PluNȘ{.9 E ) <4GOk!~EHBD9]0)!% %)_))p-!%xgHL%|*i7BTvGebW,S:=԰bn^֯VHy54S`,4BиHzENJޜiHη3["!MSP&.U;|M)Jv<ղBhmȾʎ> /B֌婻}rN1bF? |~2<4Y^4'33ݡhM]냅@(8IϤA޼q]ۜL#jm ̺s۩݌KOVHgT~bPqs5gfj'&UO\R3#ނX׾儋Y^<qx)#׮yą('6p 7 @.2@oQb*6ԏ 9P0{hW:橛˷+F\^\“Umxȝ):'nK|H-AaTKp~iJI/{=syzz[7[i\^|fL݌HrzK՗Tc W !/̉㻟Ft endstream endobj 4303 0 obj << /Length 1463 /Filter /FlateDecode >> stream xXɎ6WjAdAH2ACh[DZfS\$S6=Nr%KcUQx[Ow=?P 8%"'sx,,g^5clI)Z8Y>}**7,"|\,GZiZZU׷s,'#Y=zmzT_.4Ս+W}\&}>@_SsIa¡׃y^&>^ܞ~=0r{J[82X8t\9?R'BRsnC>Q(}'cK/-4֧x#NDc_"i'NHM5#k/뺡̬W-e,q?Jy1C- ugc%c%E> _hp;Q`֞ҫ\7]P|Tb r1#|l]d0vTM~'a($XfGi7yuf }hN_gfɿ2 l>TKi7 `m8۲v,N@x;CW0NeOgѬcto> stream xX[4~_TznR"H۸mD'k쌳yا6s;Ntͷw7oethqU"-QJZ"]uMj>y,C;eؾ ix(fcK AOJ^aU_ޝq2"yH+0 w?f7-tx-^T:XI?VOgA1i:/癸o`ݣOθX8wz%sTsr,DT`xν6ε :J%riH. u{〜B+7mls|oOuk<ֶCwYs`Sx v(^Ca%o_<ۨ19[)j?kO|aDE&/1dZ٨iM%oQY1'2U6WyVح̇kt!<v%X¨AtQ"A[?0c&'|n0;~4 - %0?AQYݺxW]C_]4L `eSt~&4& k~r@=v] B~6 |g!VzۨGHP6k~!:(k1xS7ѴFܠ63(%_:<&#SH -m^ 1EeVL}L3LJM. @<0C\$Fr&4 Gu|ϢA1^D?%nZ?`+:!nр[g>eC1P[N(Z78Ugr˰ >U|%쨳p(]=-p φf%]}t/| S$V D/P|:=ңaWզ oS?˙A`Yj5@֒j7~umU[ {&sxsjiS-M!/k'dnZ,=Ey}X2-Hre2M]̩߅NB_&XMۺ9ss,8 ,xr|A3rIbӲ(RZ} v>1;Mf*pf}Fxq&uL7Uj pٚxk3cTvĔ{odn=DsiiRVIMMOYϷ¡ w&(-&Utrᡮx*k fږbvsVKL6zGwTF g3GahQvYaGMM1O2V&LMlxdHjOg#'l1ctA2=HTam8b빱MׯtXoԑ v &-e <1Vwgm1 IԊ v>9#K\46Lt`,GF:Zt=r&Wnm.]V^Zx6EԻ[@ ;Qi{=a ޠ]-'%_QE{Xiq/<^&+2D0Fʜ|βee0B41Q6⭊k*u*Pԗn endstream endobj 4314 0 obj << /Length 1606 /Filter /FlateDecode >> stream xXK621DCRH.E Zm!dP2es7iJ > h7/_|#VD_VYʢEBn4n&I1[YM~PVu[6ݚ{\}\,MRXXG:u&dA>zX~G}WTGW|3=U3,f\d$5自ٳݥ*ߎva욞"W,8hrpFYy0fݑe|x,Yƽ,IY!'J\堷nԷZi aY ?@n$8>3ֲ71Bx>o}bS5'fhH*B fX! vc yO++O !h[KUw"Ohpl&ܳgH Hg sp֎gxhu{pm=Z=Qކ ["ˈyM;s9x.ܝ>JSWC6^\b%L} aR, fJD,*x]sb>^wWu`BsK>f Xz8RKX{#v(pR-.Y̊x"6QLƦ>OتAYRr:`#& ]o/ٔ-=; s. ][ `6Ρ6Nm:9LǕx) >EiȆ8WI9 ݅U޶d9f[Ք$c&sZ xsVHrE@$grm՗U] +Kf?5#8l/!eKizO0s3ʤjSjYFJt wtY`ԃgр=3𙔻j=$Q `HE Kkr1K"2]3psKT[&ѤPG)'qZe^28!^p vؒOD4ՙOf .[+Iܴ Ua`*;Rnjrva }- }o'U>XIqj)Mۄ>POIq9`/p"FbԺCi1ǣeS@O)^ۦG}59Fu 4@PYA[ôxqbbE-GO^@8p٘uR=EnJgoCu433V$b< :p|KL, DkThzL[Ҙ9$4KthQxpRSʣĭ mIFe(3ؑɵ2 #G!Ao\Z@ڑcGR]̑5&ρ]8 #MH'ULM =L5,Uv1|Y~u%sOҢQ"~yKffj3n؞weL'.l(Kn-t? endstream endobj 4320 0 obj << /Length 1490 /Filter /FlateDecode >> stream xYMo6W{YEhCַ"PH$g!EʒBɱ4C Z{ V~?eqႈ`@@a.Mp5ο-<5Qɂa$E|kqMK5czm|Q^W>x}Nhnl]HDQLl&n *fb_ ƱY_߻~.,[ڟVܐ" /B Q!m0bpǺ5|3$ܴ?Yj[7i݋83Ίy̪Wz[y3QlnrgکEYnV\RfD]1xdRV$۰r¾<pT -JM>(g.vJcK7{|EELjmF5=7|:$@0AG# An3krjJ/(%ϪNms?8?W!$d+/?]LE8X/@cRkhx([xK jwf֪eny^wjhZh_/ n~ى̠_ˤ/{Tl wh웦Cce~ܧQKg8g# a\+?nMz8ee< 3'Rݿ=fxQyNhZx5U9A:VS ?I-AdleZڎx16tjYu1[#Rc~<(鶄\)a }{t՘QWʅ>w%PFڵbLApݾ%8_į h`4E#RަN?DM׸lR#TÕI=/֙lWjblРL) J/=](E2 7yK{p98J>)gt E@@6wEiMfD̊ˆ 0.5CE%'oMZ endstream endobj 4328 0 obj << /Length 1486 /Filter /FlateDecode >> stream xXێ4}i1ڎ8 oht{"e!IS}f8eWso[޼HG0JpBƋc0r?ȧ6A>hı~Ӵ\z_i ?/?Hxh fFfqƘ e(B/1yb ʕl.ms7~Qm]i``pVdYo_du~kOE;+֦{`S`Rqficf,Y =I߷!Wgͮhͺ~̋VQ݄oVx$~ mp6WUT6ӎ`~K4#"hh qXSo Al@}嚂Cҡ2m8''' \=D@8FqF[.Mn9yvv.H? CpN) mvU@_Uݸ&"-B;tn$PL2o5j82R ;ѷ;I>Bȴdyra|z*ovͫҵ8/q zvWV&h2kQ ,yc /"cSIm^N6>={C8eڵ1b)S~TP{ˣDD岋b\uAebntI;9o[ ;GZYTbCfxyHwD)ـd Q Y1/ FI"FVk-!7Y* jPz> stream xZMW1ɡ]`I0$:21j8>(YZ95կRIR$R5- [=hxjШDZRo KZ4ztj"Kh1Z\ s\E1vЅaR:FZVVRaDmSXOU%FHIz5F-#b:sqR$Vcx7⮖觔4fcq'I4D1 550<`Q= 0kf܆ },kcDqu<5BM*/5~;u96{,$Y%ړ +dh cnT(8l1K1Ǿ`;ms *fS'Ѣd iFkPaik6@7[xf0N 0(-C -J똷dFt41 !FpF-,f|PD ux 5vyq%4@9È7TX}$i5Z˸*Eb݈Bx/V7&ߛc^EȿZ_m>n?ݼ|E~nkz£ `t$uzr.rǾѦF>V|icn}j0[eoi ߦ<+iG gĽubnߦ/uZyf/>b2XƐZ02{,##Ȟ!XHޝ2q3q ?% 1^2P\@ȸً>7R\"L?Ȏp*_?t/a !6fH*،x ķ?Lf#n_^ͯ_Fq@  ;~!|rE,59Y_}) 2M:5x'5+r!O"Brز`w !qB{)"(! 8be=[k[BdA (dZq|>-P^ OMrhH y>JK$@H r*?#\8….pD O.exf _bQ2?h)!%AD1 @m'Pf}sÁ+u.p#/ԋ ˁ+:k\ܣ,E4pgq bɑݱ[T jֱp7e%'HizB\~ $NEyjȢZ\S Һ*7Cm>gN  EX1GrAd -DɒPOqTCARcb!-(|tNݠu!>0qxAn+J<&G&6Wd[T (PP(\ !h9]ay^OpSՖVڅd0[e!Y A(2%`qQ,u%;0&@8hsON@M&rmYбaG :{Vu[R/C%hDj@‹*Jdm)hh:: -ɣ) #@ߟh;W?D|ɧPʾO:/'^q'rK:3ؠ/K%/]bՈc0x c0LV>M;=QE#zŧ " 4;""g{dDD3M9AD):JD}':\ 8[YovIz3h>%]|o\d"e 0oI(>`3\p Uө(B,q?O_f) . ee!QRk$1x W~m3mD־!SC#AuGԹ\_E DQr|VqxH{ACXAi WDpDϫ/ZP1ዽ)8sL9rʈ~;~4y endstream endobj 4340 0 obj << /Length 1624 /Filter /FlateDecode >> stream xZ[o6~ϯiHR*u>l]E 21dJ{m@2Iw} l}ލz\ty-Q&ػy1Pqr],f^7o 0F D(괩*1R=_+JJ(r yKPI(*bp^=>< g k"F [w}7'>5x)K1 {W봾ge50)1_;mw`E@TGAum38}^f[uܦO1\+YykA &B8!ay̓r$gy(C4ZZX</Vtcrn&!Jnf7S 0Ʀ "Q|E߫FQZQEPg+nz!ʷ)va#vO׳&`|!c/a CC0hz3 vڝYhs!VF#4čfٙ ɯC{\l%_ ]Skr |s> QxV`PW O5yRwڽV'۟opشܪʰ`mrImoܼd'xiW"5 Wy4Kgyϳ2st)CW,6a휎Ts3/v=@*h :l]ڈ675QdCEvl!@ChYf5>tEzb/*S[(l},ۆ}S)qWl`1/){d6Sl[) 7] "YN}{̒If\ G0()s*r_1[:aM9;N'SMv!#S*UI2/oNۏ:-Yk%!*^HM6d% dkNY᭿86HsӔ)uzt56YDl6aϨζ&mܕgIF3`^ަ&:VfMȪ$&%,Zy!&^ t\"h>Q WBPMvߊ'q `O S6<+$Nb-JUi"[Elh`<Ͳt 7\Myn8`I6(E 젅0L!a0/q>> &݃Dw8 []P]R?xޗrdgH׋!?>]y{Eq<>>`?XZp)h{҂V{zf JLhl!`c7`Od-R"1J&c(9aK lli x2 mY,/6//| endstream endobj 4348 0 obj << /Length 1702 /Filter /FlateDecode >> stream xZKoFWV6Lm(ݜ %:"J I%ԒZ h>ffg^ཾmuP[{@qon߷ɮIŒR(j;uȿgwIx+mьc4+,3}%# ѐzKZCXrDNE$jg;w`-,G}-q ĥ3VTIu6e<ӇXo N͘ujX a[^,M>~W/:$(V.6Zܣd-q #Ĩh ,~2wie.qVb&Io #<'ʑƤ^%7=kmݾ0C<x ":[k$PeN ڢndHܯ}Z_2*o)`Sę uK** J 09'$B$! uT6+> [PdjwvT3] OAY@ iPvs(m%2vS#YJ>EK[á̪Mӄopbrќ/.&yǰ61JjivP M5׭.cMթdC >7e܃]򹍠ପMTI2_O7]Np-(xrV {l*svR~ԍ' 9)cYtKJ8&+ X`/9EA&eKkAgۛH]HWQ8GGԐ ȀA,l\\CD1!B15۬X/]8"CwL"%W- ra_؅^&v[S)f p2KͳV5@>:O!f$6j6ߥ +`QY \b' ^OԊ,YJ74*+Kϋ-9[ۘL≫Oš Tukopv;& YNTas"$hB8R]`^S x2ؤJRCէ{]U]L5ZFEr6rlP3,⾨ʡ [E%p0eRoE'f6gdSE 2s`UGkAuQ-"n Z褚rn& _Z:,Ѽ }NȀH?m7E((82T˺;䟹qwcA>[n:]S+r{S$/ (\ΗnpMi/{C2&z l"H؛dQ Y}=!Cr[S } }O& 1<{Ϧqr+DuϺp`'Vyt9fy([bzV'=?8ᔭGg^ :ft"||DT֝YG^8yi$ UT} C@"Oې\TwA4d9Gl9fC0'ig'EрOk D'nH#!'8?<}`$x>ߖo/n endstream endobj 4359 0 obj << /Length 1635 /Filter /FlateDecode >> stream xYnF}WRam7^@ 4E(R9V2}g/zeSh_p93T0ٛ8Di` baBƃ&8_.; ݔ1 1"1 4D1O^ҙPza|3LH(UءC\' LŌDWyynXj{rP){us='^ek; 򬞓xvod؋rkPi4R, Lg.>r#*Oz-y/R&#2;N ۫Woo p4ηGZ`CRhN6lNtZ=#0>mfe bx!f3=$HB$P@ >EQ48z!Q"k#.D ˧09Ƨ_DtP):P"92Lb+HBlOn$`$ p0}*dα x ؑ[d:+gQL:;[YYewm?yBg< ROϫHA')P%|2wclw0|(A1Na6'Ɓns,1&}9%QBG*/a1%"9ˆoC̪fQ=Ӄ4nS| ۆ|$\e@"emIcjˀE%ׇJ9yt{v(3):D/[U b>-)|pXcao@mN>Kv~cg# 1c(8>dADӪM'#Z=k7e 1mw"QzP82i8nf1# GG3胿11&3ucۧ;ٓ9ƐcK]WP۲ڻBoj4,VIE8LT7"xX`r" Mygo"uO/}TF hWc8m#m^XjY 1Q(t20z*. |n޾dG̤x! 9@X6a?-/e'(۴Oq'D5X{uړYN&#$d(Ly`JGs~cEfDm bWZ}͕v,#N[ &+A?}<ɠvW Ykۼxa8~+8WSD)ʪ_Np2IMQ͞+c}Vi+|I:ɛ*w& 0Y1n=-xֲj(67uٺ;Q;[gh~rQ{ME%JAw!Ͷe5\nה 8Y1M@\M$mۡqw'j6ʗuSz4ȃm%b~i֦L՝4o R-![btUdyy77| endstream endobj 4368 0 obj << /Length 1874 /Filter /FlateDecode >> stream xY_o6ϧ02Y"Ea6{h!+ VlR$ʑ4][*LE컋]ИqN 2HbߩC[4U$cd2.vVUlGj4RϏQ悒4Id˙Kb/b'I,VIL2S7mqʝuS(ͦh;3aᙔVgMK|B~6SLF-j^vϦ dl upZ{(8KBFǵJ9׎+% Q.n׃;(@VkW Hblu4Ũ)f('Qƭx^4[%Bs1MhdZ\ΦbVy+ %ζ\^8eLܭJPa*^E (fX,Vչk * Z >sZU =3A!>W9$fH1ˈjT9o;~l= +VkzD"J˵2 K.muE~b]SWC)T8)fV Id֌(9bO+oEw],vu D4rږ е'' cA^w~|dUmCeqPma|tog%^c['s $ld$T8;5!C͐ϾLtMiLjm)})̼0FWsRKA#!Q7{ur-8F=gn!>\T8k am Ê5 R`g9jNJg{ ϴI@|Tp:;\r'nzpXD{{C[BiṢA;6VѷPnP2]d2;1O{E@ > stream xYK60rV )"h-ߒ`xJ6CL˻l64EÙb?/~[_|ĂQҔ-7 .$Mb^|Xr>{JhDHڗ~nYVAEvg|Yr;[U,]rYى"oچ3_¡h,Ip9dcX Cr,`rEsVB,3KӢlO z!@K'EDpTG*щ3(ѳ<1" JeUoڑ##ܡڼ*횦+lU](/h4nU[:QFfCx(8u04F]nItj B}bxBF(*p sY<^*'0П| Gb24\֎_qFy9>Lo0Cp`, khRU[U{RI5P"*Tq+xnd-1?ez6bv߀8xk2ᶲ8+=^RZ'9阈S^̐M4}0׀Lg7sl+,` X,FjNS_YEz7(°w\ hoL0Ć.hd*eU|#ZzEn*ԭ]7n' (:ˋs/Ϻ2yiD-MU—AP(gC0(΀#G9~:mkW׈%Neg*P""SR2@NF!)+ݫT[H*4H;Eثjΐ6@#l#A#S 9MX `x ?#9C`[1~w/yl( z1 mU*dM߁ss7bz$.) |''~VwOOmp? o:x;kMVۓ)z;xpLh/;{V5[.+NHg}`z :Jsy't9w1c ׮;<3 '?/ {xUڻq,>=ѧn0:b;Q^Cy щ ~w 26ݫr s{VwOWa??vLl0_|> stream xYKo6WV|JT Т[lQ-,d[v(r*Iw(ROSu6k8${{\z}=%(^HKW췻LQ~]be|,U|Nfqe~{DtMsAP蹲Hu3 AT PDL\nh!!y1N羠b֕[_}[kBbD$}Ջ1L`4wErO8G,`+CgBVݺVI,Rzl˖f"T֟]#`*36]^iˆFQk`^'Μs*Ӌ*LT'\8M9>dCqdљƿ[?쵎6lvGJCR (BTVdƢv(Z?=".hPs,ͫ7)/G[Jz>KbWFiȘnlPjzf*[%v=x}\z Մz~fͮ%by98OYyηU,7WS.Hu6Fr; $Hك55erZ<6aa'0oÑzr6?acTvxb LaV~v̎!@cf)NCk9Macrت[vm]6^_?ڥl%qfQTڡQtU1CG sNoMʻIKK;y}=m p2"@* G{k馌Ur$@7Ɉ2H_2g2pZ +{:x):|zՂYLzA }o{9K?!z /W}J@\[ +BSEק8 SEjp;!O W׹CuʴWlnrUQ'{t5X5KsB~MWd]peW :ዸf;J+~:>7#èO蠟AY?bGpbB<軳 .hۆEebc08լ&*WaE8tABh[}J㓏- igF Oc4:!W϶6-+lyOgnz$UktͰ67,טLMyW@Q :'~o n^ux q$%> stream xK6)tJ@Ĉ/=hE6lkHrSeʯuzYkMqH A[H$J`p  XADhp fGD[ `46~ϛ٧ME!Et4H2 DXc|Xh+fT5>2o|c$9}p!:d֕μ}|\k(TI=1ndl|0?'yq߸(}vq)+a6A7hp:7}l͑0Nhi@{bf^ S#ާyy!R%_>n~B{ ֆuO[d c,[fmVo2[ޕ~aʎ3#g\gA[ p&aܮ?Q=M:^ԫ#u cl^}>>\}EHC˴!.L@35.0(E7'k GHK;o3=N<_0U}{n*"d9XU2Oz xL(ExE\B6Fg"-˼|348ޣu%n ; /,렩09y}&t c("v<=,g_u:d;]\g2I5^ 4sתqҵ͛QΖ"mBB(!6R:*:qB.֖.|"ƑSn-`xmF=|S̜!/џDbP#dh^(B^R|_:N%C "K)oUfzrX w!Z8$kc٭>)D,>GFc`j +miב89K˗:ͽ|^#,N,dy0NT_ \`e%joubyo6:$N»0>W=sM~}a9B\ WIMfUhǮ<*QaB!恓OJCL;YMNq_RRª^ST^'~תe 7\CTjdQ5OU Ey`*=P?*³* 8W*.hܼVdBX \],M\ى&PY[D^5eZ0G~swfܳ\lܥ$"Րv.- +;t^A{ⴄt?Yb(zO?9Aǫ6{ؔ=_Ocdv-9H,q+,ٸ-6KnԈ_J`׍n"*88.fۥ%}eW^e3! endstream endobj 4402 0 obj << /Length 1648 /Filter /FlateDecode >> stream xY[o6~ϯ!fy  aC뷴([*+-{(RWSݦɎB}|[{_z`xR/a.ƻܩ}%ç-a(.6OJeUl_ObA|U<,^yi. X;ז$zP Ae~0 Ed7)+,~b`%[ р7?tT$ۘo7+,5!&$FD?vpưYo.S0MڧEZaڬXΙ~,O ֆ$&E=37qu(ҤMe0:e9+8lAy|;x;nD y5+JJ}4xU;wۻv(홠8 NK88fyf.AI:9^ra!Cܬt9uY ܛdpORe.nڋaE0C$-ruPo}uf0]1pMgS0Yxdpe@.9b_f! G@;(H#D%Io\Y 'a9*i)nhŕt0ivQ}(7OaJJ'4UnHʋnH'dp0J9"EVMmŦin'5u ;$0^e{#d5~Ц⍛$ٹvvaJڟRe LQOU=![r(h{`xnrL: tbO^UR74&.lF/0*DH,(N@?bIڽJ:kq`^OY֚Ί\iH9&cd9`EHDQ)Τ7gFI.[rF2ŷ$6.s@"k.AS'FMn69ׅ][pt6 ~蜾>Ű! |MC@~!:Q7YS3Ⱦ.F)a:0Źg1.9 r恽Ovuɵb%\PNz@ ԖKGƬT;;]|uE&{I8AlŐr)w8k[yewH1ʑom/#p!K_mGV䕸Ay㜿i>x[ AGx!},PNYGxwYXt.u S 'G\U.ڢYG~5gF@޿RwEgXgWQLk/%zʤ~)!) Ԏ\=h/&q"u>Ǎɀp ^,QI^i7LTK,|wp$3$v?x!c {K#uO>e+U*weQ;p!l ^,TZ`[փQƛxL*cJa*V> stream xYo6~_CiQ-0`֢6 mҠe*K(:tb']a/jM^rq%aY$'iÈrrPO.~;pʳI<MfI,oD9y/s6sxnFyq3ښKw|Y*NLx[ pX{eZE]N@1#sRY6ߊΒ$ 9B>3]%zMȤ.7 &ϫsb5`opS'4hdk*;mvŵ}*NQ-jeD#EIPگ,)* E,E52v-iY0?n< B_g^$L`x9jOFOg,LcdiC/F' o۵FЭ*r ;Q4N[DqZ)GV@ca例z~syيA/&o# M}#Ă8>ᄆɜ~>`'ٿⰏb͌Nft1&ccɰy񎉔bƈފpG/_pOE;+mEbNvhu0#æt6xUL(eukٙI/;[QFF<efS|b>,bѾ*xGXhCmN>Jb~T@}g{c&QՑ>dAiU/B[ZahX9ҾSV|(C@I10>`2n(_2egLnao?gH oEnJ4GKYF c>ΞL(ܜ~#*u]73[WҰ 컙AjT`\U}oc9ɥ 7g/|QW>9Gq/pGTۼ c* J'{`WW>{bIԤxZBRNP׊9}#@őg܇ v%;]ZyvGҮ#@!מ9011^G48x3J۽JOȸ1䊃76Pql^W@b^4FV^dySs,Aj;x?D6*ΐժ],"W1U$"=EMONpHx9|c9.@=̵ځYu|l5{\rNl6)kHǺYJL;"W+3є6 U]E]]tq֑N!L uCeFjptݹ+H!CA7U坰ә&*b`%r\nid9z8.x閨7Ō]ɕhNbEGvTfQx6,)JFAw AqF-1rh.i`R7Ü$? mۥ0e}K67n|y\<;O#a|MsvE+M@()7Ҭ4ȵT1V }>oG T2qZ\#&dD#]vUsy ]% b"ϟXTT✆=/a\~[k쾞X0R+ؿv) Yװ*X F{E f18]>C6+,f:yfzo0 v ޟ{tDA? :O7~:$S'\nvR^Z13!yA9yFU]"흳1|}+U]"Dzn>h\ݥ#OzqM endstream endobj 4422 0 obj << /Length 1837 /Filter /FlateDecode >> stream xY[o6~ϯ02yTnX Vl~k[..%%sHf]`Æ%;2d]ūoϮ]P$"f$ zx|VȥØt8q;)M˫ \N%u<,߭|vEé ^G$>r]̳+MݞK7ds˛}SV/러?KB@ʈbmŽIL4L9+,>~=v//ޡțsb&v1n0,qpi䅰/24uxc2`wy*,Ba}c" >^\ wZZZ#Z~STIOWe00Wl6,3 Gyy/#(g(H¿#VZ5MۀehִM/r ҅ъ`F3#>X U& c/`zĚQ7_ ~{~?A')d'Ե?"j< hkM@ "Bete^m 뎷6h@ 6Ԇ[z+M3Ad?A 3,fԻ7y˼Q^vU氲v'0QJ ]MW6yE'yud '~=EM1k+Gj oyO^*QRhFo4,54=k <`M?fjFEo3ϜSޓG847Ko jwN΄&8 M'x5.%}.Y'|@4T!byd.ei20* bfP >hf4ž)5&=\==I2m&!J/JB(jYUp8tz oa"7BdD֥`Łgyզ~0' Tީ8 5YM@{@2Ps *AǴo]Ŭ0E~KhP\RmrUX؊FC D[ bU*v(s@Rw%5E9hQ$p^LzK*'4zP9(Sf76_d=bϒdIȄ%50 qcVy깕]4VV}n O#PS-R 7l_5B7 nmE NuWG俋iMƔ,X¨325T|FB4UW'$MUP}s #ֽ(Fv|սl{Ihק, .0@V@Gҋ:v鵐*2T5 ZJTM}#̃;P'l}2%f?PGBFZJ=Ix`bF5>ʃ&JXrr& Qۃ2f YMtEQ_~&!|e;mSudRp"z7ezI:KL8s&X +Qr;i c;PiK9D0xJkjnFScBdz(|lÑs0q2( b_MX1չT(Mn;l#n5F/ 訾=)䴸6ztG iyy}?Гٻbot?d- endstream endobj 4427 0 obj << /Length 1578 /Filter /FlateDecode >> stream xڽXێ6}߯[m4bH%@ 4@@Ѡ[\ ew$R*%I_&gΜ9C켹{{p`8xNCwvÆlq?yz^:.(ͣH.fgQHԇkUqñs\ u/[R9Rɋ,lK6'c8|녛,AW^JuC\ݧ?h}n(Nu*K59ܙF9AZcz!nEY:K+Qvf!򘹱2hHB%q$B\zөaG2!>jG h6B=[$5Oz<6响 m3ۦ#L(Wa^0x_%P&O4{ &@'.UXifXT$taO1L3&. cx޺@[ @F!܈cߩ6DzN ULc$#:}뤾-$3XWoz_ՅTWJߵʄIţ(GY`7vS4ŻyjרfKmt=EQQW[loS<ĉ~6;ו&Y|}f+ {&7Ɋ P5@+aHx#;ulu9㧖pj zj'y୚TܖWOI*Ћp0hj Kf|Mte.0fO"OG]޴ ij.mqӭ- M6-0Y>=!hGK-V!b-Q04i .-rx\—\5}' |6gK]6??H:Oi<&˳ZhTаsW@`:䍁MoߓwYNfUȐr#R61ˌާS>W3s =fZ!Pmi7H~Q$Kҗ7N. "!IBq8 oXk>-{2WOo-#RԬHuլ6&#њ4+I]qX/m_~p5tl{/zi3>og*BVhfR'~$_D> stream xZKo6WV^MnQ6 kK^=SLEq7Mj8| fwW7wp ó,!$HQ@f]~lYXa8'-IwL~Ҵy GbU/Zi07A* |4rWWgBDPo,B Ik)}Yc+wVOt80}I΄ԊϻbI| It!rj'Z,oՕTQ|!?8/[vK4JܫZ!.GHlwӏ : Jt2v· Z45knq B27mWۢR(Okq}ujuߟSU*o@arԪIME(E(  H9EAM؎*K<}{$V6]6g2SDjo$TшxD#;U&[PM{TRXuv$.O 66mD<%|If4t>Ng{EeL͖)F*UGO@|gfpZ6\wU G*a8c/ǘCzW:M/Fp440?DjV%Pv'ʶؗ^K|d$VUJO2/m̙# aD B>i4-oͫzpAEI^ڨ:& +fkk|R:N(9x~Ieu&|h,3V~Z I$@{ӐO)5ˣɰe1 اZO5kHscj8aJ+:flFNo|a *}c ~eP@/Dԯ. fd*{C7lx̛al_V{,߫Zb9aOG|%";4E{Z}B뚭Y!]Pʊ*ZKHoxݺc0?48 |GP)wxY;! fy )?p~FO;>BM.wv$4'u;q~b䧊̐o ObRbMo|_bo endstream endobj 4438 0 obj << /Length 1525 /Filter /FlateDecode >> stream xYK6Эv3|Cޒ`XZX[r$9H-m!fșoH6ѯWo^%qD0qNU( )GI£aw޻9fUs^wfc>|)n[B%cķu刁W'`ƚ[6R`zodVFEK)ޟm,E' @,M4ZŘBnnt ՗fP;gk5l ȟBcq5=~덆F$#']COt `F ”Udr(M 8rйz-R胵x+v/vu=f]#r  P\c!l5$Qá0j85S:CYT1D(A0&D CQ]]{>1|<ˑ:%6n<o%S D63{PIg!XIF]`y>0?ae;r 3 b)Oyt_3`c437nB<ndo_~/ǹLzvh:?)X?[YeaL)|*h-Ci5`)IXC6.8-H);.o'/CVN+.׀( >C+M{kQHMlվZve+*#J (Ks?Rذɯ{уm7nN>p4FQ[،#H:{;P ؔ w5ST==3ꈝhdLW ׉:][Urzxǖ^"Hʢն{PyA](۠,?OYfU`=ƱRvgO?87ƦuǠa?icQ~C& endstream endobj 4443 0 obj << /Length 1473 /Filter /FlateDecode >> stream xXێ6}߯[bxC@@@ Z,PdKm$9gG^t}-%HcME$i$Bz}LmVOc؄R4TefG6-i=7_|R7Lq7o悠%rg+if]agsKX3wYKzk'*-iM^~TݔIlҵۥͼV[CRhVi|clU=j9l|_KTkQEhE?+u;9}fu;r8U|۶ƈDb"4,>&"C 1b &1sb *`pSc3u7U@opXjmh_Gmh 5B~p8=֣+mB q{F*/OB%P|pj38p2o0ɡfZɤ[]6vuH.aYcP/AjB : uFPaD:FK=8A^'R/ ΅HjD|؄E Y)$ĊKPˋ؁lYUMvkף,S.xI 4&my?͛`~>N6綟զB*D32A9p|fҢJ%W_ߔCQĄg]do FpE?n-3JޏA[q?KUu=-ʳ՟QI r||iX+/0>JՀgm#Y3"-Ÿ}?(IKҞBAح 1E :KmplFB݌e' :9z{:Wo&T[mP )|ey}+IxZw5` Y'2^u%p<(T9V{/o }'\R5>/dKr(u2nS#'$ ,y@B^b"^oTUx졭uqm_?+h endstream endobj 4332 0 obj << /Type /ObjStm /N 100 /First 988 /Length 2085 /Filter /FlateDecode >> stream xZKoW1ɡU]] J$!KFb &[6EYCC"gQS]W9$!H 9d.HoP؅LcZ&~JeHLH,>@}lFEj e+QZʾ@|S3r`R[$pN[)E\KU4 6øj}F ܠ7B\S=8U$Y|_<;YHzeWbj yc?Jb>{~2:jw+KYqfU4YA=C!s-BZ1puӛM+[jdLSJB} YR쏥W|R D&s-T̀$ H5TAj< $T}n@2&</k_P@ba F}g6H'+@".( Z }=j `f2 gxzJA HXb9.,^X,ح/ h_~y>j}s^+Xܟ+=d'ly]1|;OXx~ju׻pwoZ,&u禗Շw+M~~)1N`i3ۛ5Vp9m+!hh.>tַ?n/˿.U}̭F KjD-7m:߯o"sdlM@C.~*\|01l#5m~o6 Qg}ܢMlJMdVeCCIllBfb_t3e?]cxjtSw\s |9ˍOdm>8$hs|yaAM@yGP=?# Gxc_7~ lsAl"6XKO !Wԕ(̿Dۤ=DNT5?7z߈PhD endstream endobj 4450 0 obj << /Length 1773 /Filter /FlateDecode >> stream xYYo8~ϯڋ婣@v lc˶Y2$9MEҢZrK  ]z`M 1\uyxu6KϷu hĂ(coBP1^m<cDb[+]Zzv_%6L zC|/)l%AdŪJe[X,&U˛] >XCxaHpcrSP)ϩ=kvZgy9*9fOb"BO潝XWj=dۘ'IPɬNkQlS66X$J6ZDQjZ[VPzMi>c,r7>uC` ȲVjoFr~|x #D !sB'LҮ=9M#؉GY!$ݾZy aGaRVE Ԯޘ% K}Y"9fMvP82''q}Iv\!N3,nE!Mjk<djSCU!x4(hdg 3#ه6㰟;#"ԙ#,6%zM;`r] xܿ)˼kU {)$o>TL!nM_TO>AR|Ns8,L/qK80Bv 3_'0X3ЦjWJ 2+1%"B" '2##l]&c6fcE:]KcԺP !aBQHP(+c$Kh|"xȝȹ 23}=~<ά##Pm $}0zV ˠ+C-o&L~$!/AӗD_T&}!%RI eZKTdUpP@H)T=D LqQ4PZk:@qpg$ m¼u3e9 )i}G .L}_l?Q-:e޾l.&:ikL]2(yO:ʄ endstream endobj 4454 0 obj << /Length 2906 /Filter /FlateDecode >> stream xڭYY~ׯ7s M @-(X!<SWMIIwW1UxW~ݏqt Ta]]9`>I n_ep}2<94m=y~24Tp3z 1@I|*I}"x}Yk8ֆK+(TYVwO˫BD}nm" ;xj(/UpU'* @~\24p <أ%wcslHwU`앝C|DY(6)n[y0> d8tQTDq du Tcgʹ%Ck;dX:ޣyb/2h̀q[}C48ap [ Lg2sѨY{ym QHY؆馅k:D$h8΋Ȼ $ KD%dV z-]۝»V``O'E &IaО/z2}F5m6͟{+H0͝R0O ?,*Uȁ eW‰] n}s&;ޏ]'H!7z(w4Ʌl0DW.$AWD-ws8?I{MN0n2@a01J.ZT 9Ѻv*)j,13);Z^-hy =#L .gy.I ʩ&/aZ@@5O"A\o^~`cT(h[j&|HBhuu'̕"_Φd;4Ƽ橱ڄ`hH;gWGlIb8FDx[hD,t1b>3G6ڱv$O@ f]ۃeA~p'[?;9g1;gZFcϐ{)yg: +0`Y/GjR Yv|pɀdc[`d, 狁=і!h.rbcDϋ# l@/ܔ=~lgK,F #+`N6S\\?rąbPNJ^! VɊ)EBS`9iwq=" `.?Zs3]0_@a C#KNV"Nڋin@47vӅ*awX'sb4vLFu3EB;p N+yY4LcsBz)-b5K$NJ@B.֥.q1U:szҳG Vb+'тY$}f/9rܫL"ZvgE57wy\ĉ PL /[{ D\s<<瀹%AL|ҟcgtXa|fڎ~~o,{ endstream endobj 4459 0 obj << /Length 2517 /Filter /FlateDecode >> stream xڵYM6Wfik$!*쮷UNmm8.$R; AgeDrHC#\V~[X[WY<y?>.|?mGYejA7E۝E|߶OjL,pmq}r^ꦕ`圯%>oe7T}?.k{]/[EF= Iz|Kq鍢7QEYbjQ߁;]ՖA/8y@C}׷C`~?=[ E\yW5F40^'D{/&_zZyy%ZЗMM>:G9=-,BQUdȍ0+j%Ƴn-RJZh'ɳQX|)*:Q9& jwj}I+q|$١lU$;GGm%4|yXJ9ת Yƹ#`P:LA(qe.Vၐ:eAFǡ.T W6IB:"_ףpm%7IEo4=4_/^{nx$R-L DPj@-Ɓ}lqL$Л8JZ$oVݥ{"H?e__BX~mS+.ȔTcXj_U'Ug`)56?8!\[ іb_QUFI  pwTa ;1@Cz+"d>eV B(Kt`<]G!a3TǬsG8 q!BߩuQi|U*(J~ ܧL;KP/~N r'$}y i%HoIv-R\+>wIF\w>ҭBy!k˃5<W25eYs ~k\P!KY<GХ.:m,rBk(}Qsݫ$=ʮ\.LSa- ,(#&FbPIv}b к r*ھ,w.θ,r¢~z=u+0-5۴FuQ d3Q5EcN}1SHsQVs*q6zne"Z/Sϵk8]9*ϣ )\Gޒ*|I |B*_].%*ty?i uE!*] nT.,>O^ŚKYakKdow7@'Fm6S)>|IqTPmCmvm\T?6f-k-f]ܒ'YV1KMJ8fU'wfj"jbfxLڸ.iD,zY ϧvtӈ@ؑ&tU45=^;v߀wbY4z7DyUw359ܓZ0) mK Ӊ(lT. YWE: >@em/Vb-&z"i'xzg#[bLX  B] ,Lam{AbaRxe4S{4J$trO{{%$pi*kMD豶?_TҴ5>JIK{ڦ|D%H`a/?8d`nG+Aޜ2o$ Ow̰Q!r{yW [|$Y\ȷ-za%84\f)&W)uy+ D8pV7` x7-"hTc=Ϡ2-a4*OYSFV)ͬ]o@-caU xD_0h?Sm4}j<I&j,Z%(YDB^["$oEY֕6vR'eN޽'>aG}lQ6kK+e vK8zncuho׫njVٝMjVHflW39c4OS]x?w?/xg sz5zܲO1&"LҞӜb_|g0.m*d^ M=g9;gB^7"s endstream endobj 4477 0 obj << /Length 2016 /Filter /FlateDecode >> stream xYK4HqK_{ˣآmXI lyӭm9=uu+긊V߼jהHQAV*,È%mz|})&pɲ<؞~Kޔ+u$݇/xM,!aZzcVFYjGaީU/znLuat\US޷CU i::ť dWmxu'x$~M$Jg85;VqOm4Y5GlՆ@E&o]{6]LmQs#)CW MϪ2^%%Q s.+W1 3,/.7O{!s@\mBW1Oˡ3hB;4g'^, 2mx]Ew$/ٓ͗o%w (r >KJfNLC I$2%F. ١ŋ$98O#`65=$^Bp<4Oxѵ;8!wG|Ĭy &ъ:/~T!OQ˻zB*` ڔrQ;,s=1,$ZSΕ٦#A\U+7mq.`p;|e4{CA4dX*7|%LrLԻ,VkW DTՖYVf!ɩ} 1fff9] G!9 D3 @AuVKq{bs7$ J9gr "(}S9e%gbA /4d\3")r4O1hLMMdywΦM̛^›%OI) \iil)-Rh('RjcsuG,I׏TJFſO1vGn{i#RՎ;qk--mU+O.(s<$:(RiY^-R_c33|V[L"h'F%5/ӆuBPP[^N48EOXrڐ?\HNf3PUNo%scϾơD(K'X{e3)ҷ3\{b%4s@.:h@'NĶG8C&Jo C*@(lޔ<4f8SfIk ãv85]\m]^8Vxx)`+Y+igoJ U'g.:ĔB9kXt#aI)oGOSoWWHĔq4hYʹoQ` M.j `6.@zp 8 e6[42A߉j( ^*_fB%>vc)1& ?ipoκm(sDb|Ja^U[#WzЦ9bQ](F_0Lv[ޟ{ʢgsI=kq֘—'R(zMX8)[!oOnFLL [uʬ8sn{(YMm &Vw> stream xYo0_ZiqmMnM E#ZgIpj&|w:t>MGW78ș. q lW7.n`:cJG/@b]\ +w Ęߥ[ 1leA`e\w;_⮜1r)GC*08,'qfQ!$+t`gj˅)mU)=X9F47:<U ,ٚbE\eH?}sI?گNNir֨SB8aMO[Ǐw IW2(,C%_".!c!!Әcd8(qsv1U3mPг|mRk8}$B 0Mo4)JWUīuZ!6a jUn>NÅ!`;T^<~ qVyLe0aЖT> stream xWKo@Wp}z, JVU{om&F`aP)|>>,F+J,=b-n-A-]mn-|Zn3L1h2/ʼI32'{dB2M~-ή/9As@l{,5ScfMF{Nm763Ose .^ߛJE DbCY;sVË:%tVȃ8o[S"18CePC DmCRmVpjl>}Z$Y^}S4z7jb9Bb_}.84 j7LDb;)ryDV`yt]G?kJM!vP/&DFuW;֬ǽ`3z!M$?.P; [>%l3R-N "mJ@4UPEwٺ [70.0Nei Mg|M.U/2]g务Q@)h(95Tb-`.M߇Ev׵R[S wQpB5dA䤸|gv.WȡyhH*Ud*}q&{ mQDf DwX!yc7|ʞ Uݵaz_jdڦ HB̑bFIQ$J[Hi4MkG|U?.znw\3s;zj$^ {;dq~ᵽZ{yP^!X!w'Y3]xm^OO昃 endstream endobj 4490 0 obj << /Length 888 /Filter /FlateDecode >> stream xW[o0~ϯmbi{6!yۦ7E ! NR &$]%;zsz_&k<AM<=yyAz{u k">soH ,:r - kF"2. ?oըЭ; j~0aA}e{ B.ޞ!phwmR rT=XL:g@=]oT.2pfj8S,+Pri|1oco&iY~ +Ah0CA@ ѻrҵ)'$J||3x7.K=='{Pj뽒&бk6gm{m_`AiUUMTU([=F$Ndžv$vä['FIoyp*f\Ol' m EUe8"y*6 b3~#D,UtHCU*>m!;1m}8,UXBuZwdEa ydRO/q Z:g H24]X<g-xYvPp>z~Ɔ iQEM`8!ѢPv+Ǥ;âMM6]/ eZ#:рllx2Ie-sV@tt>+\k+Fv t}WbޟJe w͗PG=Xڶ0>Z&lG3جchNYƍ ѩs6~9qVc; Q<_stuNsD > stream xY[o0~WmP)=lZ'M0޶ &iB~v m{@&>>;:wt>ޏz79M90 y \BHc0p9,2oyA'ڏ$~=~>_ VM΅d3=KeoNw)xq fկ  ,߆f@W;3A JDT@V*)`Ji?&2Wۆ=\1B~˭R%E 7Йq4Hâ}019f^„*xKrR#jP7)%|kd cg6p@9:&is z|{'VPP (' A-A!ck}m$xV]A4EmrUV8/6|5+:I6Vh{T4 OV.Z@OBތaL%/\׹tڬkM#kYUÃuSiDH;v k+m,WՊc˕cui&ySk_H=Ջ(<XIe>+uV6j[3(A`I?T4im[-PjM[Ȼڿn%tA endstream endobj 4498 0 obj << /Length 547 /Filter /FlateDecode >> stream xڽM0u^Cn^zXnm v}G qԓ-yfy{՗h)( JO<  u.%}Cqi22w(wn?ʄ,N>Ձ4:6OLd O}h\de.!.3>sPSI &_Ģs ^76N4=FHƲ]Àp-0N+S2c % [0CGBbbb̊dWt1!{8^xV+$q;/D)P6F 6AF0ZNP',2HHfRA_1AZα}lOFls7SBAtɼ׳ kAt> mHzg?ijW^K1x m<=k[˄f-S2:w)Eۓ0 VƘZĒYHY[j KTa# ~M3O endstream endobj 4502 0 obj << /Length 1282 /Filter /FlateDecode >> stream xXo6_GK l@W,l+0iŢmQr-inCDx'NUF?_8<)+҂GedDdҜJG*3~.DJ f1y<_[t}TKŵ3aE+Y&3P~&df٥|*}ٗoQ S 7t8GƙP*20) ) .dd8qHq,K&?-S΋cPleO5+R1T&0܇@R(c d].fp4S<걊f8-⦅X[hPSeMI8Sxbe7Ó5vAb:Hߦ>Pm9hx25H?c/px7;W+U@lzQKM~i ^4y𳫇Z|Gdhb:Jo5c,=rw۠mkPQabp4gZW}h` .lu{ c#5= ^J7L|d?޲Џ&.NgqOO4 # 3)GPK:USnc^x7u_ur l}'OFoǛ Kj/rYU?eU=G~_}}V endstream endobj 4508 0 obj << /Length 1156 /Filter /FlateDecode >> stream xWMo8WhO}=-.om6 %W\#-&%bhfq{+{oG7Dxě.z!›.cGOӿFl}z Pz6&bOTVy=>f"2'b\Ue2"GCؾC9 _KΪt%'4Wr%ˉ<2ަ\TIcDT{0]G @@tdƕBO&^K OϤJjo\U5ʐeQ 50Y0$&!/_J{v^V=pJJkz&fJm&>#&\_E 0/m } r[M?j`xeËfpv?Qh80aC?AR)$"Ԗ-NcBx}sw5̋jOț@PP.CA@]0wD0)حZF ,h5Wr0F֦, 3K`s-^9gdxˀ}$RЙt|e|@;-$^ܫt[]ɶ>q89éˡrԟF endstream endobj 4514 0 obj << /Length 1549 /Filter /FlateDecode >> stream xY[o6~ϯУ ĬxbCu6`[ZM)4E%Sc`KD3s$FIǛw p$&$IƣutT%4&-BdNڙ-u7q_oxsh1Ji 7YUWf0DS-ie YlޖboO)Z!+ %4K"p8'CSm(.?LCLm]SivF uz]irsT,ɟ4~qFIwqa6!uIݺY9 V5a kSߴşC%[l@cCl{wSjKK\oBR`#|ØIBB-G( N}~_OCH3$][裸[h&fe? ^%È!8/F:%`Eս[P8*e7+Sv|e(((Vvf0.?pG0X!qҥcۖcFgT1ェq=5(O㯤5#S)N-HN]3݄d[ozLTC&E9Bm;ݺűtiֶr5a_+\?RÚ]_ ΀+k@\ 5;*@xH` |(u}fJ'y6IgXyosڀ5=3 9qsI{t4 ?,k13N,cKj[^q3*6@}cf_Hfވym.m·.p0E %{UBׁeul*V>YPy&ԡ҉C|hɮLB6gz}jd6q9SSi;ص{85kw_}3:oi//XRe.GJG ~#(.au'FtR z_g=ϡ[C%1*g.i~?9be$fdZt3oDb̅'CU)xg;̔C3cx(*1ʐ +O.KHW8%z`\[B$nGΞ*1z[3؎=\@N (ȠI EX )԰:HQNlCsrktMUM=72NTPwm2>jZ[ycnn#S endstream endobj 4522 0 obj << /Length 1641 /Filter /FlateDecode >> stream xڭX[o6~ϯ2YR5t:`@ڡ hڒKIiwx5%3m%Rdܾ\Hm#y$FHt$*ppE7]ap6[()PRhI1*JokI?\ %i<|?{?]xkuzӏ ry͍<-hL,rYkiۨk^7?^I |&C'B Q,5~=3.ՃVpڿjZ&f& :D`d𭊊s3_ć++x |M1%Yj\( ' J|MX@ N19vQ[EIcnaMCT@b KGa͒,~ִmռxf`pb9CfB0nne17vGY \ ;g4+TƉgzZ5~WXS<.|_V{>ͬA郄Sfk3$B*9B&#lf  QEhd(æ`ԓ;o?]釅Q/ϓ1zQA|sKm$9hx&8&(-wү”8M$Fxm01¹kyHMj\Ԅ]`,HQN30ahښ_)YJEI ߡ h=|ÇQmA8OktLlǃYwOj;S*є:/|/PǘIM'&|/u;[wM.ϻ}OpuzVٿ7[hMofl.6S'U7hN>#61IkH:2G}lBMS3|yݻ8!(}}Ori˄A!Q#-I>RwAC ح_E gX"Y-CT̻s^1ଂLGf*6RT[>k1 t$gL:d@NoF5;+kptH*сJ̪_cVS^F֪?Ό%C] 7eJ e @0%,~tuR@G% Ue60 _8GiSi7 T伭&˓!4`J\N TUέ QCQ@"p 2O ^wr %d+ rD3{RWjV@Vܵ3':Ӫu $nva[nԙem&S `ErN^03!'yԩ &~GX*1H:=#"f#'fmTypiS̉W8Q) |&趂y\4?^v9'a #=4q7W$䱷 {n5NX2&r={%qSח3_![@h,JFuaRhM.N /浤qH35\8ٍ]2k60wL]3Udn> stream xXێ6}߯У DHl>4H -P$ Ljtq)9Û,ٔ7Yi`X9gp8q כ_n"81*w #A(,[o;\EIUeyxI?vZѰ \W~{ Ԕa&)gf1Vnbk XBLQBSGn|(c L *˜P -`8MzrW֌/rDq(Mq46FeE埾t\an!{sZ';sP,c ?W&ԕ,}֧)ԍDf,5AV Q~*bclyrkmeD?fdd ,"fټxJN@L'L8DvjᾙOc p߼2W]]0MMds)LPyHڸ/y]kj@5{ zm[EҔEѽi6|UN܈RBh Jݻ'"a/d3B!m%Xíۑ S NdZ/PB9Ƙ7)4o@O}HQ6rZ zW ! J? ȂV05?h݆~J(3GE'Ʌ7\ L"!`}yI ɯDX4z&?e-7ͤG$K?y*/ YaV=}j`/x]Bu/|l{DD;6E(DiBeWZ~gڲMՃλ]sVl_zPAbAu6D aUm_iۏ xw^MyCm)'mM0cC c^?oH j@_p+>boxUA 4q/2Wb E[vV!08u ?Ia._ywK1tg.&Z|B+Z3Q{6 2m:7\Z$|JF 䥘CsqO|k_ endstream endobj 4536 0 obj << /Length 1994 /Filter /FlateDecode >> stream xYK623Ch(4{K+Ӷ2ePwH)E.=,y| 7]Wꏛ_oo^劦dU$-~1)lϛWYE*_mTnN&dGHrYo*饲oǼ~gsmhQ]ܾa+kvyII Z͑ .{Ɂˁ7EQ&vdꋒz ZmhgJ l8.DHNojpgܣĢ.U!1$f.dj{EiD.3P{ΟR8B_C ;.ɵ|vZ  m?Zed=2fQJvDm诊ڊЊy&HM_rB)I _Maf[R((2T@Jr$Df)<{@OMmEhUzU]4ۮUNr1&?p RD\ @Cg5r]3Z1\AWeҌRr+_OFBUYˠU~_\itKҴX:@kBka !nYr-1C+6%%1h QJRe[m^$ηE\ p8T/bApg;$k|x"S|,>/0/q?H8n*wy82/rtBGʷȼ"* XiB{9Qv`ؤ;(cL5(wa]n֍>] "ݒͬ|u|+Fa+vs ;p BAMIM0ia`gn7|9>MlxFL`=Ƿ\JFxu/u1(S},vd@ߺK/mðC+po6L57;)[m /=&S64̮:#FL7qzsnح M}~\=7cҵ1%)U9 hU+M]I /?c~7"ٝ~.?Jv+[dg htzo"ވczd898H|g(6Ok w]{]Kch=_P2zV䈇44|?/9HzǣX}@ 6?Y_Wu_XULaz+XƀC ν5e%]zɍf Ş4T.IIɧysRb]'23}EU:<~44ABzh0*TNv-u ?{8j,Ԕ~oM?"v5I *a/ِ=lh|iNL-Qfh/7AGnZDtq7A*450e^1} p{yĦ k5^"pKl:\HkjӮZR v >;QԾ@'Io#EAS2^p1؅S,lDH*H[byҜR( wh.#46|5hD VyF.k}_ҋ=[7;GD~=qc+R9vFD7[fg.Ur`P'ݏ 6DpfR@”\Bk:z5n8M~v.czۼm^96|{#h!~ŖTSF̆#wVMb,`Tl;ma-NKwSvȰf*J~R5 T+qعr2v-nq`GOL<=fwQ|o+~{۪ endstream endobj 4541 0 obj << /Length 1924 /Filter /FlateDecode >> stream xڽYߏ۸~_GX3(W =\k٢C@۴%Dr2nrO^J#r87漉7{׻Wߦ&YW)M,TQs)jOQvGfEm$q?^M?u&V3W19-O}¯>v:q/F- ?'_wqݤK %9U՗ m/%Kb7N ,II6 a~u?6}gEkl"uK|WF"nN2JiR1n=:#zRL2ZNk|YZVDFYU$!YK`ȖYˋ3t_tƊt~z?o7o~ ]@YWVF[:__R&bX~k7;gIӻ\rKX\gXiX-EQ2E^3Uƴº AKs 3S)ƹx&Y~lO)HO:g΍g+6+o) ͮ^ $V}閠Fm۠#OEșSVYUW`Ahe@I:g+<D)jQ gZ潥._S{bk,Ufᄀ*zZVf d(N̢hLkwXO]o6uʪ{Fy1$rq FDTf (ܭD/$(`}xh:ܬ^5|WNi5L툊vgKOCW.g70fgYj6,^pZ-+f8NpvVx 8z2‡78 b߳w{$>nE~ޔ@+kCzޠ/Ns" v3  mZ"W`f+Uzمx⣝8$'dr&` ` MU)j ť࠼(L:d$19@HO\O0E^ˮ.4j@,k D|Gc-G '!9!_֊V{+-хZR#QdJ7LC|1>8DwVGK%+PJCCD 8 PVwʿtzA38W&Gc3׶v!"890g_8qJ|TK,.pA)[XVoy}2.F DPQf{-xH=6_`Ƚwm瞊/VY_^Bt< zV5:/3OpUxcDR{) xؚ[uns8pm4tH롞z\@djղC "=TuZ_r3Y\7}EFU{yV<[$LWD&h-AZ- 4럃,|LsH endstream endobj 4548 0 obj << /Length 1554 /Filter /FlateDecode >> stream xڽXM6Э63)ZV)ZEnOI`hmV Jڏr(KZz=Y#r͛7ChWo?*9xG׻(QW'*Fg'^q)EM4ɾC~Tq=PNKEO@X^զ{>;gտ<T" ̘e 0E@HVGS5e鮚bv :LuX3~|;st 9٪(9 (VW@Q٘ |^'g W005, AX"(j'SMNQ' '3|3!| 1# *-v&%[^fL.oA{5p$we)ɦUMiA1[ 'ЌcPSB7K )7:8 @={"B$hXuەa"+6rO M:o:VX-> -T/ [$}ѴQJ$g LU(]muH.X"͠Bjگջ+-N~|n.v&WL>8K~HF>z[d[ҍuqK%Pq^y毼*N 0XՂ_t_xq]j:p2(*!JomMeeuښ~@| /ni.:HȲ>m0") m{ U1˅NGm;a#&h8 r07)B_ endstream endobj 4555 0 obj << /Length 1516 /Filter /FlateDecode >> stream xXK6Qb=h-=EX%A,  CO(>|3Qx_/7?ݼ~CɊ`Tኬv \"fvWC}\oc h)2{g롭eҤ[&I- ɖKA9agr35[cΟMJSr02vefyM]^V(-3nޫ~9fmPI 7^.d-bw8f$/ܐ!jʹ~`31E3K@fd֛fg@LQP!cǯťь8q<Yݨ);!֨NDq]Bb1bߍ2GyBCl:8HыY|X_&U>|^P:rr_O F94㲏^@*,jhMغ?MwCQ?XyUV_PeO[9;0߰M}HvyPA쨔ٖu~?lbS6U}P_3S61jY߬ {"ܙ>g؍ǡ z &/͗`Y2n $ngL9ve6貊몍P\Ej_#Mqt׽t TW`]QCZRa[9oM$&mbJEPY.>l>^Q*E`gyuXVj.+j"2h+d-WK6kI)1@yY #/~#٥#Pxu)z !HoK!V N݁mNFȋAmQ[H *z)]w$> stream xXˎ6WxFD]H tY4ŀi[.)e2Kd:$Ai$uG6M͋7q#RFeorɣDIm(74"&dpMK1-^Mˇ cjA%AK)6yw;eYͥS֝r;JZ!PPO\~oN?Hmp\z,-lJYS*vc !5INlǃYRw^|xkrBp-0v>h#Z*fq%|^qwhLবNx[[I1˴+'sMP ݕytezoLҒ=TO2MaDNrO~bMueg jfÕbS̏4-;; :t\ hߋeZG/ݭ_jRpcbʱV\B!LYz ڎq؅5|6#^c3*7 SKzc:ݝew~G>[9AyfZ+ h^Kh^ 3|\Zbzi&ѪɊs 'Gn= 0ryk{eOJ]Sg害|&gHtBrDkr3kH5s𑷧FҮIV:j~^hg^ri#'3QXZoi}rng . Jzjr&]aR'u4Nj_"X`:_]W Ϥ|Fmpz\E 3TMVC{gg[|^1 Aj{X=hyUH]~y V>cX  l+3| eҙ6^'$@E6ŒMX?5s #%fJ"8,@GHtKX\{f^e endstream endobj 4445 0 obj << /Type /ObjStm /N 100 /First 981 /Length 1975 /Filter /FlateDecode >> stream xZKo7ϯq*F$w؇$^g ,_qmfi:r Mu7Ū^$kJDAu$A(%%7T5HjYy4QC_D-JJ[P$ڡ Ō&.TĤ)8>x`yb[y$#%#'!MxIj 'J+g@m |N ]]c`/zhGLJb1QL,RBR!ѮGΔc~!6ņ:YG;-xtM:r (,tYҤmP T0Vp06qj(`JxRRd;14V4`OAKj&1Fo>̔k2R)6*Pd5А)LR2 \ժl%h6VCZyx'iQ,PW^.2b%>GAl=l Ӻ0jep\*V7,̦ BAF=ީwe̪;;@CzgVW7ٳ~O0+O0}0T7Gӗ_^_}IiijMz§7?oVo0}XzwWnoxO|}[F Pί1ћkSmï./0;?;qgr~7.Yis=f)_c`-Գ@L5Lk2[.nh˴ի~=]]fEhVp3 w 1>tj.,cy}h~%(]~׏G=,A฽Pz=3w$r@9 e&ᣲ--+1?Rv|Ҷ=<34-pb)܏za%0ۈ>[fz@0OhOLD6#L4M#4efS.t\9^DzRD9EsAgilr 5+H:27 ȂL iL&d. G!H j)SkO RGBTh]셞޳"󓊬$Wd0Nd7GY!@Gmd#J, *cO bʭ<-VEIí娈PrBQQplXX;'e"SÉW(||Q[H*țʒ|uQuODeES!k3ܽFn!U9#˝Aݗ]9fW^]iKkGV4}B-pl疳{нvs #KgաYh{BbZ]LZzwi{=7BVV}[(h8_Z~DZ30IV V÷(ӂąVr{_3r7F^H}M쾟-y Ķ*H0#)dAf %@Ԗq 3y 8qb@'6&"rU?j9lg[-N/ B|P-8Gs便,?T$suXQ)ep?NNG"ޏD2FKm)G ?3< ݆i7xCnC8dbt n"C ,8%9Q*k8ůV + F>Rk 8Ǔ5 Zn&>7=Ge{j:;%%#zdE c5ɞ>Kgk$P0w>%:P{8n`(?6]xGl6%O QZfr# 3|:=_yGj:f=hZrG %+{b?rD{6G{#bs!UhhT0<^˲U3Xƈ1so]^Z [&c endstream endobj 4565 0 obj << /Length 1440 /Filter /FlateDecode >> stream xڥXKo6WVy1"EE{h)Z`ַ0U$W%K My~f&jV\%x#G9^mv(CeM=Rt04 6a7%JF8o7MESQ'YKfQv]E֘6&!%I ,7RBn;Bl$}u c XΚNȡkz4@ɲjjU5uՈھNެI<3 nbNpE]ѮC8SWIKUROk.bћ3D,6YTMۄh؇ߛh̃(ׁXD3!Y^ړDLQwJBLjQZؤt2@"&ԫPeH(ާ` 0zXɃO?绶1 4OKCfMSΗ)>N498Pgj IJQoC C3_/"Iڵn~D.,dh06=+dsoI K9ЧT3)ARQN⽏vS|m(sƈ0Ż©5S!j`Kr8xm<O{[Yy?~ߩ2  bh-SS}3/Ұ&t)xU>CS=.valϕœb*h^vC![+vE9qmܔߊN%a%&)5K: -X;U=a!b -* _ hf(%sAJ!KkKT[`vq!vak-Fl!cpIԶmGSXfPC)g}e_ANc /7Bt4Qk YQP[U'10_7EzSDKZE:AA!u2Aiֻ)T{3NAzHлBR$䀘4)H4y-`-46J6.n˭;Ks(G$A ُ ld~g6x#ȩow^6@KtDpxx=O2pf6˔ԍIw_ċJˎt?LϮ:Vg7M~#[?OhۡU>v} >\kĭ4E.9NxSO6WЍ endstream endobj 4570 0 obj << /Length 1832 /Filter /FlateDecode >> stream xZmo6_/,fEKCl`bPd&S^(؍ ĒsH${ &8@ibI$(lr5| 9t@?2!1"q8YI^7\NٌS~6Ӽ`gO5b?C8]TeY/n 4+ˋZfg3Fâ̖'}qSە@Ti6\I%74iVUݞ+3u+?B.Q(t~<M(1~c);A/mG5#r*xZ(tM\Z^ܩAF ag8DLsc]et{LV22eڡM?TfU(ɚ lT _hVTF'ԻҨ5WvgWQ|NCj x%k QWxyAn@"!B, >&qb4>!BQdGe:QJQcCxkk0z٭yO8+R!Y H4ňQ`u#%FQ *jo6 ?!T&~'IY"q$PB}> AOTO2Lň`BkTN|>,E qXCEaE(ʺBZ_5sUd{a`yϦ.D'FLgǥgKzVFƊf:: S]7Y'vBNbmlr8 4*: cM-D-oֶDO_w[}m|Kݪ Uw]j~U-o49eM%?rz7cx4߸Vq,+Qgi؄¡˙2*dXH }#{ۻB5 I g$ePV )z4/Ơ e&oa(KSo "l_=i'E}4# G:,O3qaz-~ ҥ-O9C,gH`)ŋɶh6Zh? >-,Gq{=>h/I|][d[$ $8+H LOxz1")l[¶_9 G.YM+ GM2I[3ճȬs' )ls!A٥E9]Vq@T<{=W}ߒwkyt]݌F֝7S c_lu{=F~oW66P.TlT>7u327P1v #|RA),Q܎"(RR,]^@+D%[3e[j]l%(/e:O {tV˄pqwᑷ$\1 E1Q/FT{wZqUgM ?= ږDÒaOOQ|9 /G(tΗϓ#rvleT=si0 i?=dj@>m6V$X7xL_R0U̻NCF9YZׄ wui&z@tड़Oʸ~) 8rZ~֞rԅw|a{z{,ޟ r(y~2$ɕJm'[?zN`;Q38t(3$^b4xeCc]{1bщ ڱ2~4;-%C }H,lro'+$Tez?x endstream endobj 4579 0 obj << /Length 2084 /Filter /FlateDecode >> stream xZYD~_F$0u!"ԓICb;S>t&k9xvuuW_=d5&Ͼ<{ PxrYNR2I E,\.'?NZ,ٜR:%iM/ׅZf~cӍjfxʛO߼xc_41Jh;w(W" Eks1" O4Bi ^5xn&C (%]r6gM[h$r8!٠3cBKm(댤vاBj-ɦR6BoR~;)5q$wŚWUcOJ̓vXZ#S3ٳC Jpܚ%Zs s9ER[-o'@|*` ~ȉh 4 S1qB+YF;f::,s(pxp!i~ć$d75GlYo6}0Rdq#S䱪> ˷zd>~19-ug;ZwP|/ &ԮXּ 1b>:_?::U-@FU=we[r +>,5-|ZﵦXG*H/'LCyBZǰN-~ .c=o يDRGd)^B7\{Gˢ@zu#Vk\$U%[tah:*QjpԚf \m¦M3ck3a+ .MUXU=BqStx5Ckr.T+cv`[n9jjn[B֝__JwXTomB<m]6}|*}Ѻ$`G[RW])Q/ҷ6ҙb!J7 ʚtc=G /BR R050aI?x냃v)?<)yy9|"W73 PaJvw.XD*VT}-l*R}dLD3=Oǻl]>ڈᩞtm:7ӽ[6$¯]D?–?r2$>QxJ Ep\cV3{zFF<K2nJ\6Ma4BQ2XkzU ŸjEP4d}3]>HϷK(H_9PInb pE4g};UsyS dް3e =PYHс( 3P{.<8Q!˪--VW>uOO(/<#s&>CsDcq-nnUHFG]_Yb'i%E@N2dt`^@GN,94b?mhogmYLݚmw㷴LlR@[ptN)Ş=ѧA@ESyU@Cfh1YWaFaM9ի2 &H dH+H7ʔ/F4QB -ۢy[hw{_R{{`nj(G=ᜠρ1R it]+qXmgTTP7F3h'RK=| rp}?cSK 6=5l DTqLaA1d۠*y@~P)ܘG}_@( ʞD$K!Ca8soհLl\o0 $CH.*7PtS"#d=U_˲hq!gc㹒E٣˳[ endstream endobj 4586 0 obj << /Length 1219 /Filter /FlateDecode >> stream xX]6}_^&>TꪝJ}Z ` HP>hH``2ӝy'{=1~4pOD@0qL"ha0d< o?rшcQ$b;dc )v'q)`Hj[oIHPh'@yP1^mdL6ҬT2|/M=AfK{'l$sumBtUej=rFJi$0 nyIJ>z,ҍ#4nh&Jee:]fy_1abKm Dk{ (dQx㈅iDo1 M"*܆%XP1H0W]y o]lfšMF($=]BnFi7a6k;o>bNf ow;gzlW+NH$1 )߃h-cgW'ᰛ}A1bTzH.P6To)$U J9Y 1#[|a>A;0 Bcb߽V_dk*?4 endstream endobj 4592 0 obj << /Length 1475 /Filter /FlateDecode >> stream xX[6~_[4xl+YҪ*RfWK<pf&H\jsޭz.~_"!J{, yJ6RfŸ/yҪ\Bb~mfO7W8o"bnc"΀' Q<4D!^W%"NDt(f|dVH8"Ns)[it8)LrM:c6KjYи`mxQKya N.uVQi@8bD#MO ek.2W.EEL@8>IEKLaO9#պ)'2RʇQ}KUf7Ge+7b'Ƒ)g ;g~J=ȹq.hX:p0욘z:P1?߽sr現;R&MwI;7mH6Dц~6tŧicv6::H`rh` , e=ued,aҁa'>Y:<{ڂurf0F IC%|q$즸_i4Ś2mȫψ{4?OXcz:{]V՛?_TTtײ|Yn/IhRkU'f8 mK[? 4ky43o~N.vFmܤEtVC _:vU!nZ_ 0 endstream endobj 4597 0 obj << /Length 1725 /Filter /FlateDecode >> stream xXr6}W-ԌK;ӇL;d\% $B2ib. ALڼHb9}o^_],ʣ׻ %Ae(Yp]CgHHJ5Pr5JC[֔Ұ! ?75|Vhv[T `TzS5Z8A iJ\ beVkFXXr+H/$JI PB[ailz"3-;y1%r%xHU&Qm<}v۪B؁;Z9a蠢Q!U5~KXxƄ [镽`n9u5 iX [Aۣl(釦c#Y,}Xs@/%cwIZq^8+3|Ytn)C o7˅Ȇ]SI6l=`h5 <4v}?f!@` v;<)Cns[s8݊J4AVv=V|Į?aJ3S M~I% Ly"V2D.3>N:E!4Q,(đ1a Аׁ%ʾu'a "栟H|!(wQhXh:U-|Ʈ&5j*"l/(b^BHx3:;7ܮ]ŷ0HX{<b+Z /{y:∎ 烢DSLP#lTHuy,Lr?-N,ݳL6>{+1Lb"pĶO, UI sdt85ZYQRߥqX X <OqPa`7EnZ`܌FȈ?-VHdrJ2lx+<͘::1Wf('^f) Pf_G}hd"eK!-K*td\r%%&U1Y .-OŮ*f׺h̶*k*ݡ>o[ ='b)&%y R IkH>\$vmˌ[St{i5. L>|elW{/0ofwX$_LM!-NPv\tU@ PhP3SH^r0EF- BgY52[XZ8/AJDSAGh^d 2_s`_1sm`+,9Ӓ^{~QM-mtG"qry?J͓ N&`/=t̎ag<4C5A5 h$Oh\=8$wG,wSu/w Zмa||} endstream endobj 4603 0 obj << /Length 1321 /Filter /FlateDecode >> stream xXK6Q"HCh[6A ۴MT ڍ;|ȶdk9Ћmy~q$I{ER`XIJ*xؖ{,"dzJ!ۗ\un8,m8h"Q0 qE8༶sBQ//z/r{1RM{&='8[oܚ}#8!Ӵ Yi]leu}H^1e4Aia ϲA.x'R;,C)eyQ7c3 |:5A(QV{! ,d4w·OZdDYr*V|ozŏ55rBܯuw0HΓ9=Y> stream xڽXK6Q zCn-doIhey-Ԗ 43Rd#"EF?2`2Q,1mݗ](]_j_u~ˏ_fKwyW6sMKEyA>$;\OLmnKhU>~_=ejzw^i GЙUQR̷fl]M]2%ǮhTW,;!AXi~:[zueiQňΑ  Q)}Cio۲Fgٙw'ȭe]m!N>6wxw90Ӳ 0^|2qsk3;.<2Z{#j ͔Z14(`_ #m(i?hiFME^% />g埪s8,FC8Ӓ_̅>[\ggǗݻ1Y^8haҕ~ dc V+&Pāo :ni*_ 0YbA'HLQdh8,!X‡/cLhq1 |⮇]Fr {g8ur+&yaU KH_Xk >Nʙb3"7XobdqW=]M  l-8R%))uQJ9[dCӇ143>w\3GGjvo'ႂ5 *:أP >4 d2e(HKR1`nI*pgOyGƂs E 8)Kd3 -ichؿsw榍Ţfo-&(q/EQ0@uNXlԴT;\I`B:98L 4ca KDr7Շ\wZC چ̚=l_<@ȭ-3Ic*藩 ^!"EBZ: ҌW#A gGF8op % wYv647=&]fM EnLWp*n"⟪nR{; endstream endobj 4625 0 obj << /Length 2427 /Filter /FlateDecode >> stream xڭYMϯP*e< ZWV֮W<7˅ 1E*F f7q.CFׯ9渉7?oxʸ䛇&<.X,~K.$I"!vEp42ݫ~O2j~#տl}۷x\ZeI;S⬻ӳKb%=TҠ 2-N,-}y74QF,R۝ȣn+i w~ȓh4DŽPw-품.<LfqT{RFuEׯ!;˔et Z.{]\@ݢ>BhBql{s7wgZٟy覾2^ov8x^3^ƓeqAuukxU6 Q26(fE^xw7>a`5OYLa&%65В^" c T qbdϟ u{d7\<~onzt; |$+dTO 1-5Vd̮P{)M|/ӸqƓ(##% <,Ϯ F lƸ;㵳s{/2&(UC,)F.^=}CڱH*LͬlPAf V"+~ I,nʯXZ@{-^cmV΁x&)BB`3p؂Lӌ7T>p †L:KnT ^6McB6rMd1R!`*I; XyJm?jMiB-o&50Ƒ 6*x>cҘCu l08; %[@\*%2 Bzzu~7ʥ:@M(YVu4\0LHt1SG DZ˼"LLrU^_):p(d,hmE REH갩[x_S[ ÌV/~F$^`I~8nB#XfsCeK?`||{{@ uhIh'E4@KqmjD:^iFGݼSh_C!Hto1+ű̽}"Htg0dF* }r>/IS~lde$s Q|2GG>k*+L]_0^-gQKSW ہSzNE8g cj@"ZSqө&QFrH/`NCW:8* :Slugy$'wP *Qr ch5àgEv-BpdP#Y/U~vӉ[Z߼lXV ^S= ls{2 r#@lRL"~;2d]n.6z;Bhɸ Efb*a+B.>{rHeqF8 a ̦ĜxYT1Ùse;fp8G4=FITk&u~r(p)(;J …]Vʆة'볶%J,]%+Kk\֦gQ翧uZ[ȔWHtue=EBlwQ$Kߚ,/l ύ4r/YpD4XPmMH6WCсU6\)C 6u>uU%TkM5?Z$ h#F0$Y'EGWM!uvQ3;/LBEJX \Ku> stream xXێ6}߯[m`ň]ڢ ЇH-,6m)Cw /Pwͥ)d83g D(\ru5N#E:I'JX]wgW_$)'9"9b<]oj$j%}|iYnK)y:{CXєڕ|SJaRf1XugdD-u_ũ8+R0nkYʵ7q@ͺiIF{޾W J`aWcRV3rr, wEh1M3D0bLQQoOf3AJx0u90afiT'oV4 Mω #rIcEb"v?jŁ{aBR)JgngK;~e. /WӦޅP6,i{6g=ǥGA\0bEJH679nRFl6qQs=nf:NPٗé^8W.`qɴBSݛ-̗:lik m;M6Ճf/x cj%Z1xvfA42:݊l+n;9㔃tӤBDJ\cdh!KBzl=٬*[ =N$nI&@؉+<˲mɟ^9hk(H AIPw2ń!V,w]Ul>C­rHWj x+6T#y \!cYx1$gULڅzͤa@tVq\_<kpґŸ,4\{ȋe(/ ] ÞTȟ:ˆ>Pf4_eV~SG*؍c}9B]t#z06] 9OCi]裀.iN8`-}j+wm6gvЪl6^՟8KN'bw삉${>*~k\UkS]h=xgI&l ɓvugmCTiڈҕ3S1;tr-Va!7L:(bsBLonvNj>=A>0CrCmke϶{ eXk 3z|g=>p3?34P P'[zyԷkqqtU SX,>3[ 6&{ ٣NE/)9pb -!|OW##IŇ[Ƅ>qeràfEc<}۷0UeNMИFxtvO\ \z{ w,ʿl^ZZK_OtLS] )P? endstream endobj 4658 0 obj << /Length 1707 /Filter /FlateDecode >> stream xYKo6WVKh E KC I6C(mKb[po%6J/~xuEpJV8DD"Pxt]F?N6˘R -c!4]^ySolSfyst˫+}ьcN%s,*yC4QL$w˘4fsNՕ1ɱRoyOWU.DX=]UE7!1(VFvǦj x05Hd[۠ԩϢ[?XG6Gx 6}~tb0(}u{ sŘ", :;XlaU9YuQHUwz̊ Zy _1.QPprZR tSZue׍4M^/CJ?UZY]|'Ypjl\U?SGT)/v,@ v!ҐqUUZʪ k@VYqzuU:7Wk[!@@ *oFdȜjXBc HCi+.lV&?lro 64!5e`R#]ބ gvg)@`Dfp06Z 8= t1Hgd b;(ڌ[?Bn:ǜcӸiv}6[/Mo1{Fi XÕX:p&Xy:~nt>6|:,Ĉ^INU|R K$M ڮT92y>RYNN_;6;MҙFMY'w/ +K4Ǐ .@7ޚ^5kJ6Y3M}ᎃ3ńc91m]{xq"* d3]!'؆tK"De ǡݐMXnf oB29 7n~ubg l=/<]J"RqjSQqy&p@ k{f"yLTӝ7|<7{„Y1 3lrœ<6,'YNtz0mM ϳn_@sH,jgzN8O쑜uڝu\gOڴ^ ٔYGq˽sMSi> stream xڵY[oܸ~ϯ VzM-"X4Yck; I$琇%slo/O$<|<67lë?_=SUVaSMi&j9QrW}{Hy!6;7iS\%tN\.-Tr&FתRS !V@&psݖ4wvi?eL}zE-&2,h)+JvAL[ K}0w1!v\Ti.͎TI~C=zL Ji'a?i) f?pXw2WXgiJ73w:Ӣ_QUyn6xAIͮ7wP%!EFݟ&Ωkd.f*>Cwɮ|m_>{:B5JPUN뭂HAM#jnt"qcf-yhhf~tR&﷥HYfїvpfPzY]t?HqQwc7X/OŭFB0VI}<{L(R+V5VG 뱩Ƕ׋ ;tA*SЮbL;!nƋx]'X&%[ ʃ˴6[SHVV.&j=6\HߠPPuw?.ZXV3~x4%_V0ll!3Daf)ɢ%$oeNꯍ7gDPӠ퓞5 3X,OEQ}okS\a+/wP/3fY#4'5[j\- ŸoAƔzQ J9-,qr^.LK+pi8LA4(Q N[ ydYq\ #7su`>704w'{,MV<2{~*UسxڃmQDy^%F g-PX<dd+79] H[n) r0i,DbBI3o ~dmWT:_@Jz+Fs |j,JV2`i}5Wр(9!Sڏeɂ}xM@rs iȓwn{A#t8[8{R *jfϟ =4GM R А2("uWNGP}pn:%Ԍ@HO$03A/A^#g9-KH_ը㧜U4I$"Z"=^XT$;*$ޠY|4X,Gpn/蘑Aa~>`|> p4Q+9-: `∞Cv2J\ @ٗdyC_tZ~Y%+A {ޢKgM7䈨$|6! +doPJ 5Y m)z ORUɐzC;(%/-sKf֓A Kz@vUWLU7/(xx(lѺG"6R=OKR4J"<ϒ5-$<fLN G[gFp l3px^9(M=.vAZ7zQDrl;ZLfj4I ;Xp{@M2=̡7%QYf,_>ۦwuqqfk` "+/*9KS/'C5WG1G\nx-n_㡣5IA;Gwi\Á !ږg`*x%2aS:Tj.8նQ$,\_t1# tN{ c cN#e)*1c^GP a1_߳iމ@,sݯm+-MУ4,5ڪܹKL}k7w{m_ n 85X aqu}ȁRɗJ>1!hRyU\+2;`ݹ ^@G3`t2_ SnX |'˼H㼺8ά\TddDjkE0eq$e\&?oT{1^#:hQ^R x3c 97&ɤ;?eQTaV2חO OcFH82L=oh=^93 UXc{(50x?ʹޜ;fc0 Db* sbtala q3" rLv\S=Wbe.y YUf)s$ʖ2C Uf$iOS WVq>K)V"̄UYO-@d0¡Ę*u|kCV./ q_ĭ,V^S䧡mQ3Wa"eTgKlS@4dȅ 2Lտmĉ endstream endobj 4562 0 obj << /Type /ObjStm /N 100 /First 991 /Length 2252 /Filter /FlateDecode >> stream xZKoWaUE0Hڇ$wYH,Lڽ9hTGu=*v.rDq54ikaJaӂ;-Ԥ 44c,1;j){T維ɻ%@,<74H203MU,%qߎshqVԎn>7P@Fչn=5IYT 0B %(&:a KeRx}Dv .[2a-s`7sJ+T\;z5n % T1kj0KRp# ;/{US^އ$5P"kDUK*xoKD<+(ök/㩄&cLk0F`Dv* }.Jh!Cω+cKlO=`=3V8 IJc  C+&L8|!NRIWSpFIVk]xqyy}u^2V+T Mτ ]#&7\l~~j{.^qk{{on?0Dοp.{w׿˄4 6z{?w?`* Wà q͑#m`gAb/1(d/ $ȇźy Sg {ܞ!C!ܱ/DrE|ja+3՞YFƔͫyw7?oovO?oqAT-v-" =6$Mo___Hw0UT~OQ-Ia}+9n +g#?ajcqE<ޖae2ZMzȠ=) i;"gi39sYc%b2J^z_> >ёD}8m$uh=om MD_^ L պD!m4YȒF#t6pIsJQڪȂbbJgq2̵ `kQ9QAtX}=P,{bK|EA??U맨TDv*t@)<<ّ ?,XC(S&A8 ԣlĮƬ jaE%JN㒓͐GWl6}OHYRâ'kb,!@!m 0 6ivpj93+ 2PCqHdDRg9 &L*O88V {i+Dx`DŽp%UqB'V(:Z'"v䄆 8|~ 7T6?tV:=]47/ѳc Xڏb& EkOF< C^)kR``sfI"N) vŖp$T €Бck;XAp 'P;#xda=1 wS\}ґ @h-0\F:i6YܙttttXD[YeJeJeJ, *#CuQ?+{"6 o%몜X=CZuZ2E^>\=&ǒbZ]?q¦'N,{Ԗ?qbGied +e7~>vJ +=ʓ 둱$Zm|hSɅG}MMY&9smK6L#a!byیY  XR gi1LKߓ)٧SN)9=csȾHE YQYvʹ)""l``8 V GbrOHPKQ4$AY;:Y@vn<|Ӈ^}'7X endstream endobj 4678 0 obj << /Length 2115 /Filter /FlateDecode >> stream xYY8~_F"Fcy ҙݗ]I0PK-@緊ER['ҢHUj Wo~ysˣU,̢vU,juW>Aw@m$Iw{M37eޕ&uumu}|HM*b9YE -3onn@,Q}-z&ejvs;Y5ǁ_aOU{Ҿt}ETkٺ?yOloӄ2Wa/#W*a`?}E)>ӑDۑ g~@2[`Jf~ZE YavG|b@, diX{np@`FXqIm `TF- cTꑒTD܂d,dqGp;l./_)ܬ ppY{|Fr>#yMw>[n.3MȢ$— QOhznƢPki[(Q8?Bog,C2qhAĖtx83]0 BI/y> 0LGK(&8~RJs+OEjh%%Zh+#A\pAJQaU B0J`EKS'y/0%OH8hgM@a1 ̢,n[}a %3Il_s ׊$#:e" ϫ;eY6Oxa hрg@w,BpsKx9 [,HF)q_5=I/ጧӻzѥl !A ؔYIjW9tlF,zs7 nu9ʊXW=95uEY< QNYzޥ){c&x0ƭ"11 r*K"W D<*Mxd>biw4{*uUtZ"`6k6bqrO<2 V}[iR5"d&h*ĜL C4}޻ֺqѥhT?X`7@bL~`Խhꫯy-`WAL1ZN3H\w=Z8tE1_7en[N '%5/p+<${6Ln Z8: )u5ЎNǮGI}x\ĥww\ s9&¹ snux e4{(VЃ! sz%V6b#c}йsqB@@3a}@8ܛfYn: L_n`XUڬVU_'f2#(4E6q$wTJ(v'I8vN8ҝV!غu=4aObGPOd \ļu4vUc>G"co\a|giWbCIF,h>uUn=`XL|gm]w-]e̘NʔEPfMye\!w0'š1 '&SF. 8nvPC@s/0WVg$OX:3xw-VOgɹN.L΀SV `OlvEVPmhj{_ݶWa8=aƲG@L\\A'%c~o޽ ,|',/AuYspH)闂'_[G/!+Sө^ $@xrg3 Q3;bhiRa3I x<*c1z'% y_m6`اگy7LCѳHf50-LlE}B'w~th={2# endstream endobj 4683 0 obj << /Length 3190 /Filter /FlateDecode >> stream xZYܸ~hD%J Xs`d=[صOSӳEQwvk^oQc}{BF>t,h?j;yP7E&Xt]y,;7z_vc/2?Rᱩl,^H`.--M@nNJv܇X,ڼ&a`j%(勌үΎ(bq-|G2ײKmP__YuZ+0}¤S5kmvuMיj8Cd"Vٳ3{:̽isNzKʞ^եʮc/ѪPc/K|:ƥJc.?J}~Prj9o`\ŜyKI0Alي!=(PuhUGrs۠p1pNB{g35yLyLyLyLyL%1=Lxce WQSTpQ*E=M-"@;ԃi C[C_t nH$e]dўX7ᆶwKw2Z6Y+5 R,ZfoDyQ W ֏ոpޠz

    X6 >(}wTJ끞$$0{z37.X&۰~oMT+B,Nt,) ' =c~G[;N,s&~\L~ta$9'Y4`ί OS2}k X.(44ZOA舮MZR̋ GiG3<>L<⡯vi)Ql5VT#j@V﹥cmU讇 ":NGX,VM6ծFERb2Iƈ8$ramC&$T<2!)Aݒ[Xc@n## )#bB40u\VwP6G 궿u9:h伸5SiiBBC[Rmwbxp$:Ln . V%AyE(c3e! >9kY^\DwPP(xʩ#7O\xiLv2w}"и5aX%\vŚ=4s2 ON-,7 ^Lt1uzNrS:4i$KGm<_  bE1h 41dxp jq Z}SXdzt2.g);m@,CH,߰`~=5ht O'Ob < Ė/4׮ "hӦ\NF111ŗn9N3\4إ79ח%?R"%:j6m89a\APm{{ە]` qݐuuX*`#m+zLr.OVT{Oj ˹60 }g1#ʡ^f2*;<@B9Wp%k1 >ρi6 D>t1asFfka-z;GR`)ARA `Pe\wK9b'Gv0XgcXٚD3ӂ> Fz3whab62D4,[ex6l̮aeD,ORAm'*uv=1ǘY>ѦIvuQMk*Z$8jKRX%1K49+XchK=&2ׁw005O3QeCخhPXBGOBb𗚠q2)PQ-iȽ}2.d$ADK>I!ĐP(3d[P}Xsy7mY"h "X;G1 !XWӐqk!\S{ʙ \8`4*|9 ]=F!׉E% Y6O09@.UӔ@X.s-ZՇOK幵TN[v:f';s,R#$XU<5 ^"9{8ӥح ϔ3K˓\CJDp$/B@p@"MAėI|_idOk׵(> stream xZKܸW4 qCFofsHxnд3ʪ*VQjvC.-Hb=*vل_^wRlDa*6WM"7IhPG|amvrJ\ln t}VYVu{)Ypo߉h>DV3GR!3Q8lUH-6;I~3hĸ.| EA"7˝z{LEG;lꂾ]NA'O+7&5۬,M-kZw,g:FL7;8Po+OxțpMۺoA v*HSwdVU T"{H1N0'5 ra꬧E@۷v>sQh?㨢ʦ~ (ڂ/w`8$NDޗYE]Ce7M* 6 g[K8D pD^|/pH&#Ba<<$ݒdeBϡ R`MWЀ膪牯/#k5poeX3##YZTL |k4~2m$8 8!9iVHAk G9P@s4 KP(zx=/ˆ`eS&PwmFlv! qoGQ^d_zqX+.t>h//~K_/=ӝsSq<臶l$Algݖmr Qf*2{)}s$oG5zf5~@5 Rqc=?ԛM+r&K+G;fEtlUKNn,-zpг-24S ]"}2SȅҁJF˻s%QNGSg[bhL5tͬȞǦVL\%a_ʛx 'FX!HG!C"eY,K@CŅ$2>v$AŴ 28)U̖EaZo dU5dK2 YD/ h-ʮ+y(pBx9ۂ:Icf;EKT;d> {ݏOna.g5B ͩ'#LQ ӧ(ur)GC 0ݰ#oEwF9`OPɒ[ Ca<$bόQx ے>FeԕS@'H@ B:ҋ" z= d X¶4(Q :wmĨ[@"HP8]β?qJ8jǣv'FYK9e^Ц} 6AO'%:'cYݎ 0X>i_3)դ,W藚9;r*!0K.&sȯb}<|TT9F̋lӏPCmVߐyK1(!ۗ*q2:LbgN2NJ/=d"𱅗S2H)[X bM %j 3 T@y \MӔfB{*-0UEfaf&4^*'ȿNi1(aVrsK;}1o0cN: Դ9͋k]Ykn*k\(|u4/山$ϴ}zn2O>mZ"l`YG'4WBH GB*uك y2nl_&'Vv /Ysg}o$/e!D`Xcb|bCÁ:@uT1МSz!(K##a żvu!6uQO^ c/ͯC>j^kXq~ɦF/>Ao6ۖ-o 9GtVທuTB̈(#,8ϐi a-㪭s%&oluu3Y<:C}NiiLOHIU WȀpX#`bQ@f*a21vo"*0RWۅ .W%qѳWO9&{5x[GVH"781 MT̹+5rqҳ{zoWp܁N~FY_OeG%0\y< O!)*ih͡s6ޕzx@z9DvVCV;IH }*- ؟NQ\JZ+P-8 ,,ga1^>|W5`'@K7D;FZW'sC&=Ckh jIK=Uh%r : [ Wj&cCZjˍ pjٍ Aw" Z435EQ waH|)6tiD.'X# @r0[ݪ7kO=o:yA.t ۃMndtfߟE2{; $#NX8OvC&ڏ;GՋ endstream endobj 4705 0 obj << /Length 1578 /Filter /FlateDecode >> stream xXo6_a&1'~YRV`@[l)F!rQdI?M1^\-N~y,38,HJ/ΊH |wIz,/V2fHueSJ2*mY_XE.7uOoFLg%"I[IZS:KhTKU =mMaaݶ!~ K$ZSkM[ `xx.V! f2Ӏf: ? i”J1 ߋ)mkLc_6L/fpa +ο 3h{G$( KRœ=qa%$KD 22tx^м xBGr0ƹOJbX^Eؔ,Dkx$.hЄt.<^,o5Ag[<\ ~?vZG~ܴ"r\|mZwidmmZ1Wfr-N&8&oz+y'fwd>1WA{^ߛ,.L{u7gIF@.s°=&@A9f$BG#"#йT,|z?>N+H0J|0=F# --=7YqAlKQ:(B`A'ZTˏTlϗ+-5ψ Xo2jy2 *_q2%J7HjVZzt@El'~%߾:0FQTTn(_JY"`DYYnDLȌ(J0 > stream xY[o6~ϯ2Y^EVl:`[[L'ۣ;IItn+yxx.w't~5% IΗ9\$mtJ挱R4Kʎ]ZzaiS_IK}7{DLEsAP2ع,(3NS4 !s?0ިrQ`?)Zߔ}n; {7^mՆѩ68SDά۲e[m^F5.x2';m` Eꢺgp;,%"w1mXBiLp) V_"ee('R"e ^"֋*}[j,P1QX'܇}/rt~%v8;nqD)9h& 3$` VWwy1&@1z Rg_n׌Zi͋7Z-JY4bZd^%8GL Nmr&QV˪Zk'myvUawވDfAGc㘒A LrSL i<抟zU14@c30Rs DNISRy_׷+uҹMؐcQ4sf!H@MAhmjp`PЌc_vC][y{1ХT>֕ _]}%gv"^ FKWMca^ mY%qqV=lLR&lIZՃz6OUtÌH_kwV@Ns7Yz35eFGG,y)`kC-M6j}LkmCH~ MŒA#nda! Lq[>{#~0eTQTʌ5cD&$QyX5b#A Wpś3; ņrBff0,bL`MuU'nB#ØcIq5R(~U)kUrvX֋&NН/Q>@/KisO 7X$C׳+uR5.yw;geDwK>mw{g9"yge<@}_U7|a{`Q(M5|}M8¿1Jh-?ӕ4 endstream endobj 4723 0 obj << /Length 1695 /Filter /FlateDecode >> stream xXYoF~[BZ#@ h@Р[4 K@RNTwf*6| hSNsߖU}؉gLUmKB])F@w'C?Tʸ˷yUX>wj]YQڐ`N8%U&[*E-Fz.`mLk;mC}(n!Na'S[jctigRm8Yid%Yru("){5Hx tLd( Lδ=DC l {;Fg](c,pM ~PEcCq^TI:%:dݼ#s7\_SҼLj=% 8VO37:WaMDxeݾ;N|<bOpZ$`lye$'P O=Nn*$xl\czJOn"&OG=ww>MvB_HӭRP=(}Ud<6C/KV}Kb:dKⶼd,?x[BmBaj}t~;MI> stream xXK6Q"-  oihm*KDm,yǦHC/y|f8Xq(SW %C&iU"JiHEBpQMrK"g8;Ǫ( X4sM윹d,1Mh UY1`iV᥽h{~>楞<IXb3PWئXUTu^\*S5#"|vXQھQڪe4D}FSEYnG;ȧR .dʷ-)"%val r@^3zi-2BLu+ě%ɰ+{Hpc0^ FABQ;͊>,E)χHC:_boJtnsncliRT-}ѯ|oQYbr0<=%O:LstԮh1Iagh{ ߐ0+Ǭh1DL/攏t4OǛeh9)+~y> stream xڽXKo6WVKCnbӉPGR%y9L)eIӣy7C%}Dʈ&dhEE*H"dF_c_?oȇOLx Qr|d2>EU#..˟O|EEUd"Z2JFQ l8(S-Id"&*eS(,;XҸYи5ŷn~zoo F_MX獾BWɛ]/2WWV7EyK<O bK]KKeknϤrhIO;6H 3 Jbv&/!N`l`.`8ѷy_-n6n^HN;%%`A׏6 |l#<6ZN`ׄprrkllꤊR)l&(R4qhp$;=["R?г4DE(56dXNWC)a.jEؑf?qwh]kO|yipIa )`|}O{g~C[nX^ly1_b2B6WI[<$pJ TMRD(5h8NTn1Tu(u(S1jRJAM-T0=f`ȡ1ty ,T_))lyyyp0FDPN(kC{WѦIw%m;Nhsءg`dKM?_-,lE4 bcɋ7IQz< }Oqw2&({*+K8/Pc+W$FlA 𼻫۳fQ<=?Џ|~ MzoE \-%88 36=7'Ǽ9tᫀ MlϸN|#;B\noA/-VK6O􂎊=>sxoW&q?> stream xXrF+pSa!TR'e*٥ȡ2X,ӳ8\">B~3oW7{8DibobaBƽһYgVԳRfA'|-eV/a?g\`>q"jfNb"4>n(X"Q/!ygmf'GZ<bF-mJϬ5ƀ%`%Ӵ*բQŌm{ȁ´6Y7CD3m-"k``/{޺(&\4Q^@)]fv*/~| y(V?CUЀ_ P0X< kY-ڮ.l(t)[pr be;ILv ]=%Ic})Aq,fH> |bc"n_DcK0JXrq#.]D( OWBh^gJE&uՕ6JcmAs}C0>cFzk@/g _\;`s&q44AK9vKĪM  3!aL:^ǏoPCMwkOj)=۬ns7R?id(:(3 X@a/ͺDYL(H҈E I2oWgk5#UqB#m2F@tq@tW_BQw:BmL1J ޵_! ~+.unTls.DJq˼oKwO2 *'(w0 TZC5 =nCH61ROiX(P񾝹j6M&ث&ɓ^Twa[ۚ\"kQQ3s]!AhX0r5\.U);gsyҞ>֞t;HJp0UbUE?\fx vo|z 8JES s߳>0Ӝ~Fqs{G(7BD~_ S): endstream endobj 4744 0 obj << /Length 1454 /Filter /FlateDecode >> stream xYoF_##URSWԇ^ul%}g8 f~3k;绫wD8ĹK:>¹:~zQ9k/B鏸>js<gChM^Իq\U\_E)xw˨i- 14z?HeͲᡨHJ%iEV?ݧU]Zs.ܿvFKr/hv֔P !jgQsN!<& 6)roiJZ8d+].p&( k9G5_ gi>ިGiz|.lCmECCv@!OX64tNb}!??bkm_Z+mVu,@vuf"u+Z$H K omHⴡ.BV;< $ͷg|Zzɧ neغ&kBgTKlfS4?%؃vr6>*( C=I (b{ %G؇,ӷmv(_VZ ~fG:Tk1-꽦SpQÝ w" ?L=@3p'=:[K]vpp pxI8U ~ 娷pThe5 r,hzUtSsr6ȢUCu(k=zUWC -1DܬLߕ&nB}!p}H>fyc")T,FLnӉD9ďB8k ao@6S]! Yx Zackk}t>9,OA|9O$Ƒ'<([$eOFHp6>) fI N72qG&O!ZtcF ʬTȸYZB2Ef:⭓|PcjVuړ1e~:q!?Nbcp`o\{Po|><Pv!eCEF#Chk'5Z Ѡh$^ QyY^LS3]LY|3|" tTC}r}6W|*m}n~}ngtɻ~gNF{/=ߚXeJ1rw/ jD endstream endobj 4751 0 obj << /Length 1941 /Filter /FlateDecode >> stream xXݏ bb%_@ MStQ%\%,6A+YjnؽBJy>^ VGNg51!&y'.{仐YTs։$C; R1ϓgNS9wNwŽ7_:yRڅ sl9!'JJ/Q86xC{\ !,A%q"(E sʊZ  Ԏkc!(tΐmiB`f|i\m mSW2zWp486{!m?S c]n\NXHU꾐yTeʓ4eS اo jTVR~u"_7@rBbq050H^p/Mc 8k9I~  h6Ll6InronN:Ykɘ 6eiV4OªMgp-ܓУr7񝻀ļ.hPѳ - 3]H%c12I99U]%<[ 3L% Nfa Bop'D]IX %TcҦJ,.09aTȆ~Y}Pv5wz0U2aI!{v^*sR\pv tERրh Ǡ6K5.vYjLg [)}_>Ӄ\SƱdy͙8Qh۴ oTOS@٪=mgŚZL9 XBuXYO]]}p7(G#{"'^>?k8BߨWtr;MxuEBu]2d] ф(Y7G JJ>S7pAff&€m|2{km6D[W/js$*jP{!Liͷnm-Mޯf#DЇ-Í^$A N5sG(o^P}p% b6/Kz][<?QW闹]ĈE=K".Jh-^;I hE*At9Cdѿlj_#A螎?C/`JɰwzM㏤'hfxα$4 d՝)*B*}&L%? ՜n^w&r>(dXÜ}^0u WO6'/7hoo#- endstream endobj 4757 0 obj << /Length 2444 /Filter /FlateDecode >> stream xYY8~ϯ0IbEuf$ ic!4m%3Q,VH*X߶/^J~bݯpDj[>x ֿl"0Kջ0/x9͠L?": Zo^F3TO?rfӝI|uRjL?)Iބy ^?ԣyכm'Aΰ}K@˔L-JѬn\zڰ: 6BqdIW[XJ#u_;K}b2!$a6u׫Y5{YEU=H'0s۠R0TcG`3s9Htݛ!8|uwo ²ztibH| zq틝4ݣ힙?=ZݫI-FaiyS>cG){ 2y\DZWT٭a^Ŵ"CoΤ1_QW,:d«*;3׸(wʦVL/]iUX~Vmq*vƨ:`Y ޘ*>! zQNE BM}RVRh5ْF~ឯp6$,yi%0w?qݾykq?l߾_ ! g@_tW-|2[c$bq NaNx̅d֣[6gţ2ų'$P&YT#O؁"J$,9gbAMs' >GsN΅`\M΃QInqљ@ŲgY ܖF?]_m.I6s' ehLj(MjD2Q G2=ɫΈ>kӺ1EBqi1ShP kPm9F[`Su[USF[t.bwxLnl46*$=Dѭs>ca)`L ?29,eXtO-MCzS>@݉W٣rJ/W"pƛ YIIAvcQ]a5 &P-SwkaC;-?@m(`kpy|E]=n,>?9Pa4&s[@Sp~Y L\[rӈ;dܷUuq`%V-16ރ3_d0; ei] u~WQ6Ay5n_2 endstream endobj 4765 0 obj << /Length 1804 /Filter /FlateDecode >> stream xڵXnF}W`M8pQZp VƄY)%vԯG/{Fwۓ_'.B[/ 4P@bo>g;p.Qa4+Նe]`ŗo.p<6Mb(raIuח$PD2 P޳&/X[#ڂÃ2̅EVv`!cj}Ѳ2&^X,UPc%8ɻM(w+ !09-*mk#ҵUh9sV) %/q9d2B.}ًo_noJ(NirZNiikYM3uqӲ)Qp0u#"a"&;^+0`m=3gj@9W0PJ_74g-xA9FihIfa)>||{d2p rF+ZtP $!4Q7/շ%d['x8H 8(C=YmYEY1TQU3Ӑ$c7Ͱiv2[C̢[Us4,W4{㨘>SWT yRG8& xBS1L-rPuo6Y2$=e]_HG/QGiG,)5񶸽e!N$ѯ=W6L+RZ[NMTAd=h+.}Kz*tr]7/Dc[S_m,ts4j77]LK#ِe8}͑^ݧOuَ!8-2eX#υ9WiQ4$xUdGufWgb۶ޫO ݤipYWXM|iEv:6s LQtv)Q;i0mJ%yw =onPޝ-/}aWțifz!QҮnSd4 (ikƣ8e+ȰL!>&s9@.g;f7Gnhk!Q7FU=Y^w@b+=k>wT ZtU_(,?ZCNAXsaA_dn vl!]k~?ZiD~o-SPZsRٛwWN!N:o\A8ZF"ݹj?.0+;%b8;5ء$HIc!A0\ wؗSZ ke[9\HBB?& +4}l{-`됫KDPGʰVΒl=7%3E%Ea\WNFdQjٔs)&Q!HCcf3f6?,ժYDL$aOk\VP8K4:[ta3U8k|eC>p6$d#A@1Y[~q?nk#l2,q M2c9cg,V͏w)8gXH.>=}j68 %P|2}<c&Ǣ=̲? ^H)0[.X-Gj:FQwяz$?/-?kIa'hI7n&?F42b%gy=9 ZrfafOaN*nd#zaDwzzxɿs endstream endobj 4773 0 obj << /Length 1544 /Filter /FlateDecode >> stream xYێ6}߯[m`ňT$HRHQ [M%CSoËn/"33( ෛ7qQ&$@:<)]~) AH#ؕyxVkS)ܖs"f&YVm;*\os/u͚r-\ne-4*싺VdEfc oGZee2UgH 6  Ai $#PDq;+`Yڝ P9A1fA)sWA-aúa. ' @߳:iY#`(3j>,BuMӃP`D R(`j6Wq'1B  S0pe\ʮrUgH!O y x7(dzDķ^e,-2>9mrke,L{8ˈ'qWXZEmdh3;eoQfU4vdCS<|˲/(aF|yަK_ԓ5iG=1zub@[g|\KG7H DR\wqX̞>U\ iworj1[i᝴q %dj+ryP | FvlB'!,J6 F {6g\v\} FBmĶyTKD&bH%Rd׺,(ʚɩ^o&1!11I3dAfB4fO,9zႭe&+0{ϊ;~u)O幈!b(0|,)9n'tP=l+=#dp1ΔW[tی&ئBz 鋣w܁m`0VEL2CwpKb֩k L <<qh#b ;2N>䪴NFUmU+,١x݂6kΩcW>7jڸ u 2ЀU+қn R;!YBl ' $bó>wc]ˊA-e^0K8F.-8$Ҭ(=jYew @iLŽ=& q9UZK7άӿ\W}6jUC3[?%Qމʼ_ U*AƟ# C#_rTxeGG+[ODoȴ|j*UycBtȳFY^ddE^״ P]kD<Z@VutUY4{ LV&*eEVle8 }L4I\%m$oLywkF\ ~@NԼ|%IGE ا~pL!y>A};'M(Uh 'I׽?AfhF#V̪G~qM'Ht7 + endstream endobj 4777 0 obj << /Length 1465 /Filter /FlateDecode >> stream xX[6~_1oe`cDyhTU[U^Ɠb`f7s|2^TU̹|de~qsNPx٭rVc^q!h96{iJ4[m[Htϛ__`6MFYf#u8c4#z{irVدXւZmZZ} # 8؍KM@Y}%ރE]EˮGVLJ8ÈȘS+N=u)&|! v~gln ukk1^jMḎ"mڝwnm/vݚe^/ƭ0}Lrs'yPNa %  !/򨪶݈:$Hd?E˭Eh.%^6 mN0V>L^ٷe{ #؁kU ǯ W>Qj;p9 Z,k;S{^JhI 2+<S!zL\4\ЖhSĨD[Jȴ~r nCEXRp^,i>CUo5TqN6h=յ|JXR5Beap?7&@$=25>b55߅KBtR 07I1`Wv4JthJS@pA'=4-͚C"Z%آ¾Fޟ*kyp$.$G`)}lE dulRԵtྂR^vrY.Ziv !L&>O ,XlK3 /+_G`J@90"G{6.@h)1Z8%BK/w j]t㻬v'SF6ۋYp#5D@0#g-oZ~B{TiUixz 6JI|=`1 ڹP!= L> stream xY[۶~I KgL҉3Lӎ>8~DH˘"U^lo}(R vI'A8|8WU/^jcV_VYRn۵^nʫIJ%8>^E"f*h?;S_c.SD"Sz(kׂ`*4o"uc> ϧ +fY IV,9n&YNdMHY|]dv9I7K]Fyư)XN}ck@7B; Fu7|D7MmIrv%}%;shqV]'1&R7XZWع 19{놤!ې\N|G;v"cO8orfE| ]'BnT$a— \L3ͤ}k[ -h`rn0>D0jSS:c[5{k7045v&mg OHLvl~u AfQ;WX2N37*[B*>sQVVw)?`_'>mοĄ?[f]aG@$ sۄJ );(Ddh5m} "*-,XRq8l9bbﺮQy@juPPFʙReRk>t0MI8o^9H'q<E&@Tj Foj3c p`7m |TƠF{ ҏDl>GZ3. ,$ 8IٴG7,tvDTT$#gBaJ1&sn>A[u1TAO~ a \ NIߊz'SFiÝd3f䠳a/vVhCְ9mqwu>vѹv ^g+6~sٵg,'k@BX2+J(P'Q*_) gLłdP;:$R͓'D|NZoQg[ Yx7'%\6dyͧES8ۇJ<2$6Аt`&j޳;ᩭ8dxڎ ƥx [6^p+p4ƻ4\ e$NxrZyvynW`'7}A9 vBKR[L@8U2Z|MyoQHؙ[|NAfɧAy!cEg}0Å3:4h`i!XQ Ȑl:e^[!ZzMD&k?7pJb` X| 甘%q~Eqa2g1.T`_M}@,xԓ Zq bU0mO//+7<1O<~Y!]v< c hLtfXc .!9h뿓޺ox`ߎ;Op3gSW -kh!u0ÖvK% s6m#f o, {bIұ3[@'2l-a B_>ޑ"wȳcmǪ8/Ǧ;;CkT:QŶՇys4!Z5@ν6~DuElȹ)ޓElnty9+Yr_oF ~kI<7tUyoSJ'T wMN*r,AVߓ>t9lB,Ӈ5U<^R40dybC!Op-so 0gòAY_G` ~mpmQw=|P%y[N [W;Eh3Ha#yBCDek\ٗT-`?gKSKg^~BpȬ endstream endobj 4680 0 obj << /Type /ObjStm /N 100 /First 988 /Length 2205 /Filter /FlateDecode >> stream xZMocCoGwu `H:$te"bEοϫ]s!T;WjFY*Ii"!ĭIIB &+1S2.+m&*{KDu3l]-$OTdžYqNxHXm# -RՍc걞[b{❖8 a+%U wא8I %C$XsA{shh`8TxV-阁= ifxFP) !3LS=(ˡ8BX 8 #\CT1֬TYBUljsTi"il!kc=vDqRS# IKMnZRS[bWhu N3Neؼ3V1x0 ©b.|;nnfb?e6ch F&$we>ILouW F_}w=#^VXnG~ D/|~d8_N?B7__piۯȿW]C#a3u=>ƒz; ^$$Iehͨ#Hq>$VX)!e{.s˴^"=bg@j-`_LWzHn^Z|,J4LxV". p)5fhNZ&0 AH\ 0d M `@p3)0#G,SIM|o8kPl:#G,Ìq.tZGdl (}Je@yP[I1>k،{6zVEj5('sdR8&uŨDlWĖ)B& WQ]Owu>R_yfrY ũAಎ@9;P#"Tk@CANyE.htp.E&FU`>E݊(k:.].$Aqok9Yb:q8ҧES΢)gMB_CA;Z9L-7 $wMf<" DO)y**9yX!IjHϘ[Tj0C/u|4(PVoE%[+jՠ.udtDlz11/A YdO[p:1E&GBU?UK~''u~h;TM H:_k6PS(,gtm 𯙦9UkHyk=y8j;Val'mˎmJG!6x' mhU5^e%B=#F <$f!Vפ+T&dz7D:P' a*wzЅwFrJ'燢kU))RH  gGTFIs!Y=xE5g7{=4Xx?:O@Rl2V00fPQ,!-EVQ+*6h^01:mbmۺ=jr2 cm(lkzHߵejNT-%iN]â)Hk0 xI& enˣ;Ȋb"^UWg2-i.pOvh MMM6!U \`. ߗ{^1w_;LD:,/dWGA+_lR %E= mTv]A <q&=z͇6 Ǔe'x-IRXXQ"T𥀯فd::~-=K~6o.(?S}g~ 3 endstream endobj 4800 0 obj << /Length 1769 /Filter /FlateDecode >> stream xYێ6}߯[m fD(дM>&~)6A [,;Z)_Xy$̜ÙQ4yD_^/^!x#E,N&,~Дa ̬Gf1S"ɜ<gcYiœx$ٜBvStg'SKmdk:Ea{Vi]z>nc;شVLۊ1AۚZۮCNP 0V1/e"LjQ Cd]Ȼڀ-5`R7+5G"vy^*3§BTGti6SBʨ[c,sȡ0"N˧9}AO$Yj~saRTʄإ*nz WIfz+xR?j|RZò^V mk7,hvƭ0D9BX +Xa 2LT!S1J1wn4\eUC `z Ν8]964$#gBhD=o̹7)/4=6 j "n݄tb CVm'{S`{d&n$vos7Gȃ[)y Ck14rzWXӌ%Sgd+KPo0UcxHGqT+9r4r?]3cꬁ;}_C0'Bno U`$ 6aWpД_+ ' ,]aF[ݼWQ4r?S,ΎҞPnm#G#P8SYTu_{QJ2p |cەJ0PO8p']^hW՗(njՑPt][;eTiur/2kc]>D,3L,;Ű%c <\;}GjRþDrwkwXFz ?d`] nlA_7ݸ| &8^Nu GXFV)^.~Rvr:܆>ȭD\˂УA-'=hN!uLui_ ;lR4x mn$SQdS'Y0#ʯN`Bʞ9s҇H폏>*Uz#^NΖ(&H0eysK,Q endstream endobj 4809 0 obj << /Length 1784 /Filter /FlateDecode >> stream xY[o6~ϯd f)u[e@(vɒ+Mw(%qXw\4^lx٫a1p.֋,"̢U"/?_~' ߓ.V$]@\?/{nB!QV4Gp}Y" }KZK;nHNh-kwM EW'?#BP4| e̎x5W:t>}HHo劤A!? %gulZu/\x#Du^JO+y.PWo #x~SPiHH MPT0l#7\Tl[Qy'"||vJaxUxӮ<%yE\՝p!ZF#mEM)7ژ2D>Ib8DYB-E(† nJi*ͦG:_7n4T|ƾfk5QDSC%|kdo_?>T%P/~`rT!fXuT~2R/ivnΜxBU<[( veqhd,C8|djĢh^jC_wuNM IxIT AͪۈN1ҳ [Â3MǓ4he5PLㄍWx0m/@ۍf9(inʦGJJv?>緼9x/$PqV+yC])mIUڛ$Ca4yh{VƯd $DA`3bOiF+XpaZ$3i.0T܂\rcZYEki.uho!2u [=(FcxP`iLQrsn3"AB7lrH-vsk(vv}4b(ۊ3Ā{p?-pMb;Wʞb8o; BpH|#dp:jc97H=$'IfLs -g($=iV}YQ6b<1UNQƒ̱2|TtӫFd_/lj00*v5) 51ߪmwZ'>E.ub؜IMZw"^Y q&w벬]֥E k P?miZY}s7TߔIƿBVUnߡj<ڻ7ZuٖIރ= ߮j< endstream endobj 4813 0 obj << /Length 1502 /Filter /FlateDecode >> stream xZMo8W(c+ߢ v]t=4ET"~G"%K6-qhOair8fH{sy-%(R/ a.ڻz+],ƘO)Za6=egX&+ďO_%o $rcYu3^)GL2/`"2%fA,+˭*_xczV q:Ӭc0jm+z]a\ŏivRj[ʋ>`q% n/f[RoWfRbsXu:K!6qeW!YwSI׷v{$"(&{)tXXoބ3/%5A&;<"]u` CwM+],dD蠛lUmH .Vqm@A]+Q7S 9 NԺ(y>eZxH#'₏Ra8DG,p;*T%8n$$3C&LYS}F8~6tYcq%qGP%qi +8Qx͜Zji_L]ѪI0W tÞоX58`5"fVViNKQrO?o58&(++HwK_mQn|9Y+@IK;|s;j%t3iԱ}C6Iӭ̟Nc DL2`|!ij5CΡqbh\$0+NaDLȳ ^t~T,8/)ApTP`uW%3K13 (Ѣ ?ƦMTP=ԦBPԯAN K,܏dj+~d2t#_&,ؒ"BOҵs~pd4 $s DA]{ZI3fA9F\a!s7 -\/Y'^. PuyD05)oCᕢ7~FHJ5!tVSpQA3)&yg*[8#=(-Ԟh>y= 3 { /P[ endstream endobj 4817 0 obj << /Length 1219 /Filter /FlateDecode >> stream xXێ6}߯У\^u >)H EɥlگH2%{8-Œ)jf88 pՏ"QS6AL's`կWؾr}h> XflX *BYVFn}k_K;s\˪LNL{e] r׀ƈ,XA&X֩2:N Jkkhca- ~2` wYӚbI0RU^ [0,WZgXPAE]AX݌Rg.Xr*OTgafs3Zڵ@ݔ#HLwbڛXL/ZvsZ'sYD ˊn-Ў%>OIO/I:Β%04S_M\ס"vE5JPĢy~ph7z¶4 <Om8С^L̅ZKrBWH(h9,0LB!,T KOzF.&w͔݉]/=g׋{-)ȻyPdQ3E`ީ&OAC>frMMP|>Qyh*/[xD*r!:'kyDI,\f#Vv75$~!i ,rj 3ׂ? BF9h9ezMM0nK9vVsz9 =\qc^keV5;]RTDPamsێδZ?:᫷'bti3gwI$C^i;wMjپlAyWn;LtsΪ0Fyy:`G zbJNJbm/G6͚,÷WWDѲ endstream endobj 4824 0 obj << /Length 1258 /Filter /FlateDecode >> stream xXn6}WZ y@ F]@">96Q\חI$3m&/e̙3#.O'?ON/1,P2e0h{ީ_%cJ,7[okW(KĦGS@JR}p2#Yu1gPLII2Vm*{;זmyh'[TF͹,QowGԵ5 >?U_r6וKwdYsUm{knm|&hhW[ "QoW5ؕtXV 88) îDSVg!IrQ2˒k1ȟ5< 3 G v>W8~6 >{Q (ͿlgZ%(v<>fLR䛌t;x-:C=z:42Z=QBgٓ4&4~`W=vJ}jugЃ!.!z ~ ?R]jFN5U4~}Vȶq|Qu0;L$%i, mu!Kspzӝu3Qu;JGzd=2Y#Bv2̯0B b;pzo=opgluЙ0 <՘L-/8iJt\5S#\>HTWZ0/sHOXm!3,oyw܊yV`j(ZaOꏽ>KH6m[y9Z4)K]-Mܔ͐:L,OBu8(6@Yun<ņb=\t)}<0hRlGuVEiq Y'jz{>dwT|mUH6*OB͂b I8kf %4."iF皂ִ˪;2T+M%ӯ=XJ<yX8.6-'ȳIO?Mdyi/r%t$a/3]<(}UW|i?Fne7r%lw|-D,1|dˑ~VlM1Ϝ|>V.>73%hD^,<*?L 0l /HUvZJ> stream xYKs6W(̈́0iiĺtL StI* (Pz>."MX>q p"Q,61\up7/~7## dI"N!!T~)!#aox28/o2˷?KpPPv<ۏ1ʴΊBfF )(QrfUw\*kA߇ߚk&=6.T"*Y U}(sX)cz Ƴý]CUyYl+jVeE hj@٪"X+X(/2ƗTKn"3.ju#.5#.&"֎`}Sr$oF#͠y9:3*͞}UGʬV-`mk}FC'HHN`HOUtEǀ#: #~0DLjr7 :YYq9gý2E4ӫFV&}%)*!'Z|Uu U'epZޝV/VEg6&<cR%ψjH)P(p+V;upJ&`l)!JoGk߫bfۡrsy줕ߔ뵶yj{`(NO;;s!e֏)-_ ۚ/-Y]壻QSR銯Q +Xs NX,vRK ݧ?ЛH,\6pzY( >>팰t}򤒬7upޚѢ'se ?O ":VfT<,%[ZT}}*&A>l8', qD =d07J8{) 㩮xx<۶<6t-Cl2=Y1g7PT7Gz?~'snU;MZ֝ot"J=G OG)LhS+pIe7)Ӡ~-t !gkk[$ z6yh> stream xYK663HzH)zJ Z+I;))IXEÙoy/v xwۈ,FnHES_dZSJQV$IwҌJTh ĖrӬR4>-ҌvVY7 3~˰E ј.gfYq'?Bu 3D3ڋpPʖ<a<})zk֥. b)~b#-ږ}Hl{ 8 7+z<}B!)`vf5%?MeYX8*LCbEcZG(?b¤UfCV}U.j#shzng|e6h~v09h-"RzchmFQ%gAmqDn+3ĩ1v;<1Q(I0*1,۽ 6h~W_g쎏 nqe𓲏4DWZ -wPYqzx{ܴ/Olz#tH/G[Ken;{gcmW\b]?EѪۍd8<4}:xJ` d~pn [mH-^ou̓]3C33D bgЖ$ҁa4C)F(Qg9擩@>nrAF]&=uA4"wFQt!^΀bOsgq'/(策@^ S6ɳ, K>՚BΔ&q/VFt&sE·(e'}a0U.\1,VB`\M0S&͇R+曖c6LPә}{p+=S&=y*`rlBZƯG.aҙ#C1Gq|2Ӆ3EK@!8st.}كa{rUUHI|8g;WmiM5BT֞p6/"׌{K7} PͯzPڊꈈyl tO!KkB _r}Ձ(XhRӜ4 O.(s^7wȏs t,mj¦Γ f>xP= g)9KAږkb`eyIC>޶IC fNRO/֙fv췾0}) mFIJHog2!3!s9?EĭG.3#,sS8r򣘛17X\tߋ+Q m #ǽjm=Bu*C?0_V(pbe2L2?[^l䀞 gP>\|-uQ3Pģ2 (Yؤg񼑢urThl HlAޮ<NM/Cwt-K=ց":x^-|Cji -=v\CnuRC7jDwF G{O>3B.> stream xYKsFWpD3;OCRٔsHb߲)J/ ߧ0#lkvOP__#y◛wF1w{",»Yzſ7\`ӣQ$bYE~Z=.ӋU}NCV-Kfq"Yj}R'iՍYgu(9fKitp֤$}sp}^ge5L0) n ɫժR)ʻ W"00i%_RTec[ׯ -΅:ӯE1(ۛl梴Tcތ7vգ U]Qnz0hlДUk[o+S7F|]9fu9Z -RFIIGkڂ 8q}կ7D?g >Wu$DI}u'j\X Fo6"~' Fӏ1~:0*ҵ [mN:;g8{6 ~GrƳF%Q\| L9I Hڠf?6y@DA%XV:A ˩JUI2DDIDsQ@)x nH(t/Qx>{4D)h\ޯUQBAD4Nv!: q(]9u,!\PO{AЃA@B KVŸ. ]YGX8 .~ߒ` C0jQ N䅱D`ꉅ3i`"8ԇp J'eo5S-ّ0 GG?he>WzDՀWfFhDnrY.vf2/ھ,(C1d'љ٪)yFY:W! 8eB'xZ'+s9cV9nRIEpY`CW%Xޚv&X1._e 36zUk&ffI߲Wu%A j>N' oΎR>j&>͡!A$y5J;k ؈ tD aY`'kLF6YUgw^ =5x'vӝd^B%pYK⻦`lA9F\W-WVg.c pTL;'H<\ZGd~K3h ( DZCg(H.yc8Y"`ߠOi9\ȍzr V4GZudM#|ީGA`9x:We(_rW^:t (|r@/ˑHsNݪ\}^ endstream endobj 4848 0 obj << /Length 1267 /Filter /FlateDecode >> stream xXێ6}߯F\^u >E5ł+kRr6w(dSȦžE sΜ/nxŏˋ+J gd\/Hp0jgFBc,QrSJQ! 򊈡i.Y +wgz\^1:(y܆"Pe*>^U޵fkZxzkY|#W; [D$FƩzRcmE}!1CYݫ1nM98 >Gz4[ٴfrF4 |TQx~$t8\kae@EHb C,nFET!-~:_Z7uv@ݔC Go QJzjo8`3Gk {k%|2:+haYQխŴڱķR#"蓇$=g'b)  'H=gT9&0L@;dF5ߒo3&`~%49`G:JΗ^0ar,2(8(_y]uL޵ilMkA+\'FW!JCR7]7874K5 h+U;j"lT] QGO8ɧQ1N&#in9x:, $le =KL v͔̞݉g Dy7Ig7dj>3P/~> stream xW]o6}ϯlbiI: +֡: 0 1YD:AG,ɬŢ)~{^&o'OB,A@:p@ʒUr`.߯?~ $) cV]W/SBȂ]MM6o{ͻVv~K}돨*j{#+ZN#;^kq7nѮm)g~Rfoq8"u|mnei/ͭ%4 1 e]Sp;@~<^̋ܠ@;naxw\RSP]\,sB P(O"LBGL}!E~HWa;h1YL<7]EOi.Gl8;HcO&.Z=^|؝U+uMa},}CJ D~5ۖwbBN=쯬\_ܵR5䋖a5#'c6<0-y8\`i˟J $ H,w.<0AIgAX`%3,SJYyV#3r$A1;pVXPan]19=\ MmzOvUԙ0 JH6MS=i9Z47)sUm%eS_Mў'gG*Z_V bnjApP.7efob5JMvmμG>RpTc hШ&YW{=LfDgod3j|r HC S0'⤡*d|ڿ'dXo 2vULX wbT4wmvd+N&\_a8-DKSOw٦yy618n<O2ENE?ILz٘]48C/*J1jPBkj/A&y}LɼPkG'fh 0G[[I4hK£ ̶` ^p(f\NjWX-c\и?QG-FY&gW_6 endstream endobj 4859 0 obj << /Length 1398 /Filter /FlateDecode >> stream xXMo6W(VIKΡ٢îo"`,&V& JrᗾVx')&50l7Kf1E3īdf,KgY u1gǚci<_dYRLL/YQy&K2%K<@1Yf"_$}H:_ /nQT4%wȪo!*|ܮ4iڂz/h5?FB peO@xm]:SyGXDFnj YE %D=d9BJOa4N2z3 Ujz,xsYp]6d(ϩ!"g L6);JhO8 @|IALN=ZP~Q@a҆ eLq| ߨ4.91@Z]ŝЇS+tHt&Y%BH]n3/y0VROÑd{ U$4/pLQT} 9;Ct_U ۄu=8 h&_BE |K n 4e?_uP'4YMiL2R囦f%Mq NbR]ōr$0![fۍNړVH $l_Eep-~qg)J`. S?ǣSHN&deS]]1 Bh)?On,ń% *)#mki|uJ{{C'BްUM6՞eKk!LOur`-F}ARl=Ax+v(L)> -4ʯ7=4kk#NH/E{B'}\hC endstream endobj 4864 0 obj << /Length 1415 /Filter /FlateDecode >> stream xڵX[o6~ϯ0$+.݀amŻ00msU(؏YfOVC|΅Ew/`zŋ,AŪZ$]"rK^}}Q2\X{R/CVL}gr[q -BS{Ֆ ]@nC/<^?79[[Tl aPFYmhZZҶ)' r_0`G%3_N-5R=; p (>GwDrx^F88ʤLjŁCQv ָegʽ**O gW7DlPt2%ߑqG 4@Ef4QǙc^jqr{#}V11;*Ub.Hp\Yx4Qk abJ+h#2΂¤ cTcةvg0bq Z+<5wJ/~ָ5bCFEjpnOӂɤqZ3+{a3M5oQ4;K#QQMצ8rdeWq9'#^-⑻nKn-uQTR{:*ZM,~➴{ ]]V[/  /XL Nd0פn\XOs*Ip_Qtl6ܵ.ӓYᷕQ:ؘ0WG"L2(9}e'p:^ts5׾piwu+ęGД䮞l^HuشÎ5sw^U7<6ҋc]_i~@:q+YOf8  { ֿ14cn}61X/mE#3tBx}c]'AIn00;oxu!uU-Q u cϞ=[kWK_T~gUْF^6{ ɳid9 Ȑ/;BKn}-Rq'rrDϘDW%NҖ+L'rwoT]OCB`D_|8s@ʵo3)G5V kpyN9AgZt<{)g2s φC F#sB('gaqR=>Jx4c>ٹ<ˡu/2S+|D»ſ endstream endobj 4868 0 obj << /Length 1226 /Filter /FlateDecode >> stream xWmo6_a T(R/i +uH<:M$ʣ('.GGR)ŲDxsϝI> '?_Gh`d$ $d]mN191^S?M3oeIXS6w+RNGa5OM Nɭ嘤fYΜ_t8 xfbQ=,<{A≏ O3A%iuP u1{{yuպj l֙`O %HG:~Ŋ]i!g! 1$LG] Y:E?\o8?ң~e^eY]VT%] [noHɄyتQ\%އ+ZNVk(B<.%$E7 GFE **F@ơdI ['4g]UN \(h&xp 2ʮjSrcIM5" iʹ=}?kȽZC^Q( c{X\o>~'[ISBYgZk:skN_B)n&ŏY)ȈE@FǘӬJ@koݺ)S7#݂ʼ)AƜ+v2Yx::`bӡ3M@\6a!%J7w&cgJ/Z2QFf6ߪ ڥj0d?hKѢLI-}:N} ^P$TvWN^U210 ]W77cyJu6; iQc. 6d|/9" fqȁ%aiR7vuk`d[禼췢)}6I=ufjLIo%ٗc&j&s.6\o65xf'd⭫d+ ݗbwNK9 endstream endobj 4874 0 obj << /Length 1021 /Filter /FlateDecode >> stream xڭV]&}ϯ- `}ԭ:KD |FwMrL NN]% !zcFHy$a(%Ϲh|0`啝g>DD.w:}c>qӇoF\ṷ=89Hm[T)/ u+ݮ#s8K!+ֳFG\nJeD6?/E4.׹bosaĈe2h:ϮP>dyM%I{~U<WW몫q1'&V'f@0 |Ԃצ}_9Y_&mց4󧅞:)A/VWc/RVC1@Q>5ԇN퐐sN`˥Ii72[;ן>a;Z8$}kl#՛_ꊿl4 {Q3]f(yݩ~;+[^| C ڛtQnڿ} -.B-z茛>LzV]3dY34{;k뽔+YĿf&t{Eit UýnaǼ5Ƌ7(OF;hKӉ绍q|1ʉJ^/`Q endstream endobj 4879 0 obj << /Length 534 /Filter /FlateDecode >> stream xڽn0,a]uvU),IsǓ nC Y?` 0%Q @`IIbP L 9"ȋ%<) 89ä-Q6֫.nkѿIERޤx͡oDF%qç}Ѿ}4`@M8-Ώ*[t8NXɾsg=- L77^ɣcݱƒ蔜v\%S 'Pf}H_G.gl-I(=ۛwcm&RdUIk߸> stream xWr6+8YQmH_ʢ {L錣 Ej@Ўx"(8q]7݈\s o!&Js4c/GE[;?M~2[.op<^0OzfA~˶N?X-,['q9( S\hËY}NJz|q7C`."[Y꒾3 sq,Wءـ, QivǷ/! zk&o`EY~P=>Ky^OlOΰ ~uR:oگUԄ}pp@-?h%JW27_ ɘ k%qB%Ai\/ݡ#Gq K"r>uH7xȋ<.ɗWIl3m$t(hXX1+[kN< =m#)I|e6wT(w)S>W5E,سښޙl9&td "iCJ:Ɠe=(b M΂$IkRU.yYy g *r[בEQC<>k(3 mnlH:D) >tof{k4'NK~u)ɾZ>P$Y+yIe[rCQXa` v^K_.B V"䪱iɏvˊ=!wAFB՛Smi 'rb9Ҭ~&dñ "ve7(m2 A-D"τvgÙT_Ĥ +&d&т1ZeC~ ćR!lΥ-:ă tOd9/+5ɪ5cUB%j9f. 9uҪɜ͎J, fxnDr>+e:ĺL5Ӿuꪣz4G!lv AÅ3֗@ζúʦ.6;RԠ- 4ZGgiAɸ?6Z/q6!6]]JvDHqyCp;#b8Tj`Um"(IԐuPCOůtU׺߄|e+cT4cnxHI"83r endstream endobj 4891 0 obj << /Length 1458 /Filter /FlateDecode >> stream xXێ6}߯Їh%)RZh@yJC+Ѷ겉I[rf7IkIp8)eg3˺ҋ|il$~d jUodqI4Q~ZDB\ȴ[7LgSHN̑ X,"<2Z.ЯMzfhETNW=kWh,|b;ё$%R;n\Xm\GLu@YCu_8v0 ڐiIH9v`X !5eڀKX]*Gݾzmێ r&SxI;(5v}QVG0FF6@pBt̑80t ob[vzdmh_kmSNc^c=zLm=ѐMG'9t'ww^WU}ޏ^ծn:P&!$0E |.7;uJUL(@S0X4,U[H8F_ :#+J~(qK ]BMU#^h<~qSBtW`O/^QW, F(HpeP0EY9+Pj3Th$"Б$4 qmg|AGŰ3QA $G}oֵO(/27QEb xYVG80)K ]'"R mhLG : ùXS@X Tw(X"𾨍 )A]5=BJFV5"3ҁڂ7{qWDzfHǓtKz͇ 3˯=[3 ihѿݖ9B5jRjc#+WxB#Qe%fFu."0}GQ`t5DgfXʧj`Q/T:8ON l4>uU$N} cFKwBBC%Au.?keeQgQTGLNcLyn/a0Dݐg16!\  jTѰO3o5~ˤ*+SO[/p1̴$Gt@AMӹ^?d S {.{07vbC?遤`' y؞xO<b* -C& GX{rk5vNdaCݔI] Ϩ[v}wu{aӹowo}J߆䄳Yk8/h3 endstream endobj 4901 0 obj << /Length 1304 /Filter /FlateDecode >> stream xXێ6}߯[ebě.Z E> LBeɕ(/;)Y[E,S3;V^}a~Q؛/xqqo}ny󁒱}4D1ONWǼTߛO5A?=#S/41c\o;qy1L\()-D3 (('yV iVIEd,`4 I N&pu;S tGQڍ,c;p/=07L|i^V<4Bբ~ @yع:. Npoo5zثgPObt"X\. b{ሇ@:1Wc{RkO FXG0#䩪:/8WPVˆBLX"z fbSG_ϰoR~`.zn=B5;~*gQ}<$*$@JKBߒ-swЌ9Wuf\ήWk*}6.S4_m*#v"V07@h[ݙSI"=y")E 'ͪVojs Giz+}4.hl~``#WN/aOkѬ_mJڃ9 McjD %͸ʠ+;Oy9@vTqC0DYD,m45k/k : ?C KƑdUO94+A'3~V8'm+`v1ˢ\ xjHeW]m* eOc~?" ~&vDq`;$P;ӿTzsP]Ye[f*JgJBO/e+DSIRsա.x*JOFF;t]X u,܎LXvRz ׍1zy85;fcgލ-7d!mL3i7/Z(;^M;(ۺXY* feZ4,Ӻ?E:Oϛ>46r1 J=8TvG]Aވb9C13Fت鶮Vt 3J@pJRfm/a-nX#.Iq3@O*SU4z%]U=?.NUr\}Ŀ5rU#s Lóy4qK{'I:ۃ?HxCQ sm8ُCk8]mxe 'h zti_186 endstream endobj 4791 0 obj << /Type /ObjStm /N 100 /First 983 /Length 2031 /Filter /FlateDecode >> stream xZ]}_!KJ*I%&HbLػs!9x:۽3{!uwI*US(.8b8gk5ѨJ.I/ɥl"Jjm#&GZ(LRЉRT{WЂx6lvT";vTs8& )'-(c)F{kwA}kȵQI(փ*9`a29'B3%&$U M=kL+3Vh}PӅ!"b}53z1SMaW5d+f.m]%j&󎉘FlJԋ⒊EsZ}siaTI0`%lp)JšƃOT[$h,V+7z9\uv٦JQl*CSS)1 4 pK3U\ H84c'%8 6` ϙ# F 5|3mdd󘑥ZU9@F6p3FuUMa-SԜ XWXԩZA 0 QM lF/NNݫ?~]zѽu{ݗ˷oo^S{Xt/g5oPRc'J>f O!ĝzrS:_]xfg/s&$xs %Ǧ\p ^l M T5y #{~T싛7-U2*Rn G >[]\@EA+S pE aFQܥKC w`Ky~YFHMqZXH@uC}d"#3WOvF6Q @*:cXa_@Xm-%θ` VsmTIJ -YG!{@$qؕ]ñ}Fĥoh2+ EfR㕇yBFU~q])z2mPh{E Nz]lqy@y# jT$r+n?$IcS,ܷ#.<?s@GĹ<2,?T baۥ2i'߭4`:5[^7^OJC@bɣH.4#,#Ɵ͝ݓ6Cٿ{}/׿n.ޟ.]|uuuzGWg秗?vz~l$pc+ '2(vZ䨢ӄ̘ o]TA~XÄ #tct[&4QabKʼKL3"Vݼ$ny(aQ-_\eѨ넫c{ aHwo q 'W endstream endobj 4912 0 obj << /Length 2241 /Filter /FlateDecode >> stream xZnF}Wy]`M ` 1L`L E:$e~od7դijb]uԥ/xۛ/h(s-RH,)[n.~hVkBhNly 7mǫ-o?,fyYv".Mjeƈ&6O(v[S"LbM(e~Fx7n*#KkyΖ/{ë ;j ? ix)c[T{~90vEIQ}/" "(Jq˯F-aHOoo' @xJwiw,IX#1jMWUw{! #h8W(a -~{,EfN#Dl P+m03晡,Pn6e:w:LxS! UiПoQ*{9Q )meⰿPxeg܅麫^c2~w,KǴoD9F?C$Q@XKW;)c*X{ଔ-f,W[ CK2|bI[ sJԓ3͡S!Lis)u`^MhEߠ}jo7@vr{3`D&rkv<#H!8s8 i#<~-kOY[Q.W[!h z\ؗFoK>a ~I BAU۶@{ŻX -5 9r ;8+I#|"X5' wAR5FknoJ8= ʏH68(U?XfFqoچMxtҀW32Ii Lv8C3 gfm\oc{oG;Pg7M}h{6нF/e9s;{IWKO$,gKÉDsPhMc(xi,n q]Z^AnJzTlE[+޹;}WW[sc$Q N_;5282/JJSCJ|O+SM'# O;dWx6@U|׸(&QYJǛanU?Ϫ|`t~^n&O|3LT7ȠnJ$"8®2E wT5#!lAM"'@neOW~ lz(Sa1qv<>Q0[|s{_Lsi endstream endobj 4918 0 obj << /Length 1785 /Filter /FlateDecode >> stream xX[4~?5%7H -xʧuhӤr=v.O۳x.|3N8ۇ_ь$ 3:[nf %aJB͖A7(%Y1?-xH(3(iIdQF9?>g!2;_09KQ~C)eZ N >CT|QȢS / r,{9gI^Jn]<`q˦z N;U|D:2H4h$V Q>L֪0cPWZEIj`35,zö́]Ñ4;YֲvUہ6r]յc-rݭr P4+ ل%N:X1sF =X?B*J~J|w{ 5Zǂ3`Z>4$7gtVуo`1BI㝅 &(WYP_z)aTPviʙ+Vls㩘4HN}bBb\@<@6FCd̀s\=EFZ({gqJ"+v鞑x0f#/$1X4 ԚByٴ\i99 I@0BiL@yx"BS:R(z@zA XP 4D"ze$6$!w(t;l"d@| /PI~Q՟p݉*J8JSju38WƊ1m~48Ɠ+tS/'vE "G#!z0>.U 9ZkL?gAW||mď'| 1y,$SykPD̠}\hm>M} Ezit]2gJD^g-"$疴/2f/C+Ӈ*S[S+SkHAm2& Y$rA !Ds:YjێM{0!QO!i[GyZ' FL@F#&N ج(&е)`2a=5vYUavuo L/b4:'ݧnxFI) }GWFVEoeEE^S3">zUKuy?kaXa˼͵qs`MϚ.)SʫwJ2e1ؖh[W N=cdd|JRk1Y:g{]eIg%56zwsno^[uX\ɑֵM7Zť^A6XYMՕC9H*}vO7l0ՔTXzm34bЪs:hojK ]_U,o}yР .y.ͻ \=%eWtZ>a)wS-LMC ^|P6Y̙ѕV.?,Ssܘګ._Nc_nu ܕlsw!daJcUxh>YQ6!d$ VJSoPo/$l,Z%?S|F[̲h 8Je HBKXcCh+ݙwS`ޯ~F׵[z;_-:gaf ?wR^捷 4W=M#ppӪՔ J Q4EZ,;z}iC~j>?|z|H2 endstream endobj 4924 0 obj << /Length 1588 /Filter /FlateDecode >> stream xڽXK6-v3CEi,CEʒG;dnSkYo曏 Mrwр$ 3ܭIPD]|V|/$mӴeobVe=3Y??Fc"$1x-GQdV݄[Ə/D`CDeڷEĢ~si^f!K.!zGQ_i@4L Y:p+UW#xXny{`U{5oR D2kWU5&qs VsζWU*͍xK `A#C/` #_bU &Cϯ zRg.[yN[Q kɹ  #*MT3,􁞄$[IP x4qN힇ײ483Άm}[OIPS*"1SuS6N:/mLkY4MrQgD0~eu?XF -BwEO+׵䫌hؾt. <d}KJ&LL/φKtkUW690Lǐ DPչa !fcc;yO)a 0}"a T>P{SLC~h֎l,7 WK~8miϞHU_nk3t$}>Ek,Yc`Ry eY}q3{c=K#mLԈnߵK"S:!T.& B0|PR'oLQfC=Xju }o8G\RQBgHZJ8Jd%FO'媐&#r{o%[]CqK3sS0A/bY#]Z^p+GaYE'灃' kk6Rv19Cb}ѡVA ODNK{7jU ADca}z=Teyl->Jg7e.t/QĽf'AlePvaޔҼ;juYW7 q> stream x3PHW0Ppr w34U04г44TIS07R07301UIQ055ӌ 2jA]Cr{ endstream endobj 4936 0 obj << /Length 1890 /Filter /FlateDecode >> stream xڭXK60ڋ )R 4mѻBdKn}g8^mlz _]?^]<ǫ4~ū,IUzmoFfIǫ_bY WU\(quc9U渖"7Xg/D2YLef tqk Ezi쮫MGƟsJjns?Cdt{S< vN:[wz}uƟ;YSh'Gq@UMH$Z0 4j\],wړÅVwָ ܮx-8ƥ3{ܸ̎d485z Ou_tojY׵LRg]RN&-v]o7i9Ϋߎk 346>WS#+?-i@AH'ܦm.NA$EpXq` $_U\޻kߦsY_o qv 6o{4VayUYA" otػ140w~&%踍snw {kg)*"eLx}xQN.$p QY:6I8IT!P2\(w[BesWzI۪(MiDycCd9<ŕXXpUP`)TF`|8}>R%51Tu"5B]\wܡTż*aB()U_{Ӝ2?~rj_IHg?Dx C@x"{_W(n#E^.2&Ã/]bd%c"k}rYfc0;@,P Um}2 9%]AE<U;2 ˥lJWd# &D l ˱: }3$)!W?7PuB0nWpкX[mkAr{"JET}G3g? ʞCJmC '$T:b)xM byՙ$ +ݖBX'_I\2Hd byR|wzƜ3ȯM!hD!:Y\ c0teOBpoG> %s)t&["/ca >1([,Pfu]Y͢fz=? ^\F%`| R p|$Hš$ 8~&<^n}cYVϾ8NJ0qlx;uub\2v0x.(GpGYq&ZL[??kJI!isܹМ4=Syn7K={_}50)CUM.hTNYRp ӭ=.19!\٭zC78'>ϢXì4jKmtR𠦦MM .B` Ƅ{MkPltDMlaJĘolvdv.ك#/|ȨE˗\Cp z%t6PP/p~w,xK}i=# %| q n<3,NӇōfO͍.3]W[ƴ8Uw\N^۪CG)RgmԷѪQG.Йjy=Qղ@Zңi Kሣ-# o x~Rse' 5c$]y@ endstream endobj 4942 0 obj << /Length 907 /Filter /FlateDecode >> stream xڭX]o0}@&m`pBuR7Tiy몈'agʹ`md}1sv}yf`n-mfP.0-7ړ;y^~2̓ xS3ئ+fA3L*'bKv6uYp 3`1/P$=H,.JSB1oWLt(9HQ?MdJ#vb5uk~ ]`R37^A4qsܟb"ʼ_ҝɷ*22R2egv `yLm̀3`Λ*uLw:OJ 4Dž({B'DnI|JKB8/='pq pXSޥUr\d@ i:1MG 1[񔊅,n)5 zZhp^]bd'e 0&:SF"D;rPAs0b"o^&F@T6Uf}CЫ0PiOZ@?GÞ#`3~ـ' iYnb3p هljm3b`,+K;urrȵ*~tX|BtL}l[S  EAY)*=$W{tLJx߻N1!UG)f3Xq{¨v~Br6kSG^yI +`<{KpM^Y(.@"QIeѿLJr GJyPQG`EO .kPӯ> stream xY[o6~ϯ0$5+Xa0hȢ@QK<`}")K mi1I1unx.w[_~z{ MqE& cRQ?.$ 0Ja(ľ y~98alJwPTR=:B[=m'Vn2lw]riw6q :SqM8M'> kyF?Q:W673!,̨ 1C;)SnݒL rIPñӥ=h6R~nY[Z?vv&33cJ\Q؎Yd򍦇H4(H6H2{@sb6yDc!4~d2n;9s0VZb[h~CKGa1{FghAмBpʷ$Ț?? I endstream endobj 4952 0 obj << /Length 1726 /Filter /FlateDecode >> stream xڭXKo8WTbUʲ{Xh]!-1P@I_CrH4m/p|3hqXD^_zg8 6^\,dG0"\| urE[^KhJ0϶f-,~jw Zs}HH^s_WB濡}8秶>I&yXkvlɿ-Wir]eg$yWк6W YÆi@͟X@v% Wk"x%7n8,sbZ#/QAiOYVN0#佒#[tMC<+ '}H.W/Cc7qOh/^%izg_@Bkt*㼳10 0t!nS!ewܺDme\ +e ,K+4slUC|dNќ< \}x󰑬i^jU*"$#Ӝk<Y R3WȆ{;Ňca2yvY )A6 gC.|YDj^ڻĆ턋"H5ḱƳc ;FlwEQ y~90Li{ Ll<+J_; Fɗ^"#*5 Z> stream xڭV[F~_#„JMSRU>j c/*f0lR~|0 1Q3!Az;ej$H Ō";{zQJCB"J,\=J'ծ)+wVdd],]ccyMD0DD4F)_:bËEd !(?6roZRPu /mClm-LeG8Oyx̜'Q-"NxXh՜$ԟ PęB囵RK{ JDmV0?KH#Af.8P-"UiP.(7]w@!1̡K 䑙%E)94l}溓|ܪUN8x9fQ{eVAay),I!/osNkp'Tr.d{B$E$A*wa ʠ.fP)%䜸`!zำK&ň/Z#z%<ڞ?f;j]NRw”vG~\H #RGN@Jd@S'BX4S~z[vSb墪18jsJ!]^OclU;8& жc;K^xv)#Ya6V=7rFW\coYB|*K>hBIFn_Vϰ4/ t>7}l;ku8c+8f-aL.U.SE:e e F ٖ搄Q)YrзbV03QU/1/SёTJY,ZJNW&D amOeh2\j0t .DJE .mo.EXx>^JFOBn]ׄuF+y ?5NI~Y@g endstream endobj 4964 0 obj << /Length 1071 /Filter /FlateDecode >> stream xڥV[o6~ϯ2^%lE3Z,ӎ2(HPӥ{1M\m2zh$^g*\#EvEIg]c{ J̽Y!F-֪] owpu[#MC VҘn%cy•S".ntx$ǭOɬTSq:՘"Wzo}{]AI$Tuκ/@cT$Ұjh}{iP.PMg}߷ ѳu$gzӗ) }@^(Ԅ'mƿ lߘѭ|^>~X|>@GtZż#eA8 FNA#wKD_Len5~gFR8ې*L_00Ѵ"4Okn "8NqۘAZ#%JiհTpǭ=Ĥgbn#yGRKIzkM?}&;>#&2-⹃F{3#yXǵ'V;w[`2GKI4+xUoשQQ!"$9 gͭn/RUK@!C M^uz1c"E@`e"g W6* (JdajY}|T?{*: Ѻ"ܱ3Nbܭ~E?_0Jzޯm=R( "IH3SncI3Z~ :fpoԈQ[;TR?kL&d?tesmB}x$ ъ1eL{HF븸{4Q-S6KwW>JC`.@[8¹,[ }L@ *N/֝9 +u~~vg&n{ FʟkYcea7 uBi3DLFW> stream xڽW[4~_7RD|bڃ@]6##ǷDfC3}͌'wBwwz0p ]eq?Om(|Me;}@mU_2lP4?w?z@Fp'i$W݅} J#/B%[ok\È!kgs Z?&;ZҪ)v5y`k8V p1SgyLF(GH{}&HPz{}TV>r65iw0d݇ %jAea@sJzbD"}F_l:/*PBuUtuW™ Mpv{ZYT` W8vkv F[tu 9׸b$p!#gMwE|̯." %߫֫ɀV *e)9q2JF 24Wƫ7sw<ȐAB$C-f_Z:^ ");cJuPԼfȖi1/Hje3fͨ{'eϿkXxWGw2[8~6 r8тyeݠmFlh%cWlU} ʹ5}^#`rG)lDLj qqgd?Xv<߾HYF_Xu\L(" z61}g6a; x?Պ>K[:+:{*FGO0 /\<bq!Gavt4w9)ZOW'gD ^tvwbs endstream endobj 4973 0 obj << /Length 905 /Filter /FlateDecode >> stream xWM0Vv ڕ*mVCnmCPYݪ8󩞪"{ I켽z3FxDi℁aƝ!M?\e{u!u|QG}R׏"~;s/ZR-2_ey*s ?|Ƹ{Yeh P ETM٪x#n\b]&#)=of/B>U$*$E4DFf#sY; )u/'c7/zh,/> ƙqX=JɬHN[@!g:%E.r#~iۦx~KqmٔIu%nLd=zR> %Ez{YWE,Ou$䥉29nwy[ot%wen,lZ4 #+ae='7\  hH"߆AAG@%;8.mV43xLQ6B$ړ)C%{`~:&ꔝiJСl]Ԅ5k7 ew c+ HDe_ap4:QY>_PG<n4 CO@~iMWe).F{؟gp|ZL=5Lۓ|3vپ#x߷౞+a}z*&5x KT\$*o/d"Ydf*dO3*o.qOфySijlFI lhXO (VEx|ꔸU.##EdefsQXAB`St=!JeKj`ڢ02PR$c #:_M;x endstream endobj 4977 0 obj << /Length 775 /Filter /FlateDecode >> stream xڵVm0z`$ƗB rW(-JYwOE.w4]SLvy&gf}|6OkBc-5h!fZi?/^HQ&T'zzp$_$Uz\A<]"_'̆6ȡ7ajdhnڶG4Zem0{L`Z Iibdw,JJptR_Fk{J}ȹ'3kݗd*Z D<Y-^lP endstream endobj 4982 0 obj << /Length 690 /Filter /FlateDecode >> stream xڵWˎ0YI0VhRE5ʮILֲQbEm6 !~F]E1x`VE-3ũyT: Wx *ȟh!9MRIJʰQ2H\F%8%Jx"+@Z*+p/6).Ff03AN$gh«(` p?q[S}-[H5?Sh]ߕBͲ.sS) Qm(bZMN6ÞbݟAHI!N84e$L]QOn|'BwEmU 2ÐD RglxI(/pQT6yh5(SFjǷ̩o94mDդvi +lyZ*jE:NO($XsV"fI1_%aM]c7#|cdlGI'RG[[sze2:D7vzL>[X[!_°So`eҶY rHO]03-`}mFW> stream xڭWn0+t HNC[4z- FDR%$$[jQBNi{!i;6>>gWc8WkҲ}d#'ގ5M][\'i={# endstream endobj 4991 0 obj << /Length 650 /Filter /FlateDecode >> stream xڵV0+8nV I$JJU=V1,]06VmMlzeرvc}_]r{,\kfckmgYzχןN{]מzSk4q왷И?Ñ7nK'@^HzgTfr~ۛP0)`r :d;='d~@QBʭA0a}6RBMqd9E8Iңdۈ >'lLj L4kx5#1.usF9[OFv]rdQ(dFLps8AyLJû$ҖoM>`(bR4|Cc6QiP(zJ3M?|(fHSRbVA-!D1aζ?ޔ؊?gvh`3>9z͞0ݰMM"0Y#B>uOhSGlt(b@8fxٗHsYGi<\˝fh[Y5! *>0~X>86 endstream endobj 4995 0 obj << /Length 718 /Filter /FlateDecode >> stream xڭV0+8H80rhWJU=V Ɓ`Bϼ7> stream xڽWMo0Wp[ j UNz!mBԒȘն> &m*kme~pܸ6 @5 `{}:ߓe M+_ b2ߣ`D .辶hkv};ɞ0#0UUJHo?S:4ZiS8+D:.:9M"38`'M`{)a]4qQ]űj}|F?s$TsS /]yyBgoFS' Iɸ&Y_MvEDuZ۳]3]m@ JŖIY%% hF;`';onCބ͙_Qc#.PKǣZ_7ʿtAolke=G9l֟.myhTSi9ӷuz@-WI1_y' )/ƻq $wWi?J#>>E;L(Ri H!zYPup1LTe*)_ƕ󥢘Jp<^ShG'ԁ`liwjʫdE Qi 79Vn5r2I,5q~/tE"t! ʏ112@|ұtz~.][ endstream endobj 5005 0 obj << /Length 807 /Filter /FlateDecode >> stream xڭWˎ0+XJ0hGJT"B b LaL9cifiw{lX[%h6-hXÂri;4|PX"|(P&{zR|ub<^~}ArW48v-&{o7<2e`#~/ K087 X)Qw! GFzqI t#ª 8xByLy4SvM _3*Jt (9 YE 9 r@G9"(OF><<%*Dp!$55Cs7<(RymzZteM-wm=JR zrLO&*\xK|eHU^ Zmն!QJqX68Lgc:+q2%̀~tz\gl4@< mڕ=`cvhLJ`8gZ[魂{yh'ҊxIRܳj5ͷa`أ'8^$A(d?> stream xڵW0+5Y 8]JJU=䶪 &E%6¦UH'a̛ @koAnq ˁ` K-ߵ|F.wW_w1}\]q-ۃG[e{e#-lg (Q2D|2{8fOn @^K&UyTF{+0Z71ZDpYDNL%{9^uh51^XG)TKW8"l ?Xnh7UA1[ f+| 8Fw,lWY\fTM%'}`ېf-!\o4c|&f4Uy b>lЖZoޜCBo5"=#q^ 22R3Bmf$5tJ}Z*"MHsl.韈=f:6~.?3-)C.B6WY鬕|6iAzb~,#3^&'0s#!Md+VW[tW^5sd-tHox W%F#`V$洼FGnsʢEҏby㠦NDvaAW履EktОv%{/ endstream endobj 5014 0 obj << /Length 724 /Filter /FlateDecode >> stream xڵVˮ0+XB%`|4ʢJU]!Nb 2&J;ƄW$b93s35[2[Z+GҲ={Ut 3Aa"tYX,uD%J꿧x w ::azA/$ $w*ٖt5abߓt ,ප6fLDZ7=k@I-(IjSC*_3@{Gj!uU",-B2X 7InD:9%8ɛҽSK(Be‚t)?B[D!(Sv3N*KI84R>Q򲄏G,Uub\"]D)S"e&-^Vb"Pm)*'Ҍ$gN.Ei+mz}wEqqVg{Ԙ'İ$wp]3lnJ69*_۟끒H`+6o^.q ]„/]:QQUMޮ*<\ cW{\=A6|c@Nbロ$|,QH8N> stream xŔAO0=v-DL&;pSCp$AJڲh⏷Sӏ޷_0p2 ^wSի}zij?{_zޅݫ endstream endobj 4903 0 obj << /Type /ObjStm /N 100 /First 984 /Length 1740 /Filter /FlateDecode >> stream xYK7ϯ1rm !IDB!ɊeȿWwVˮW\[ )F(!q愆 ̉(aT D$ ĥ@@B8_ ;(*j+.SkԥJ6 2XKs>Y\b.[`Z1N2;Z] \ʾC$7 K2K-ѮdP]wV}gR]O%n-UݲAZ)c!  t>M|{Vd-&rs+ *.WNui ֥mK,pUw9/E\GEcPY * Xͅ\^? |\'xK 2ă%B52UB̵5;K'9w@AR͠Nd̴d bM@Q e p:͏ e`vj;V_4ԣ Yv̻A0%(Z5fof/9{uޞ1rj~D C5> stream xڝWYF~_a>}"E!(] #۳0R~|{}T}|m7_\]4ZUMwǧpc?ؚۼzb/L 8x67,;wTJΩd1@순^2fIT^-otX62 m?nLCwiF|Rٌ*)V` 1lmƇ(~yY7EcA$ ]{mDB"&:\p!!)lʛMrJH$ u%qN۲FƠ{I+g'iKu G>툤n;KGw=mچ=+zK%=Ws(bxiBi1w;`1܌4 @ Kw`</wtݷ<'U!\Pz`kͺeeZf:fȱ.*뼻]8fjm; fS$3,5b_yݏ!СDYN:Vt.播0w%Ц*Ox /][U.֟(m\H |9VzKj8g<umpL`힒` 1^ȶu܈'fܡʮr@i FA%{&3ې0ٰ̀Hq!}RzzBc :]v󮵖W?Ѭ)~W&Zh獙=!U,M҃<pűrln/C8p[v߻Vvn: }a˜A !L! DIAwY)ntk5 " @I%ҭTm^GϞ \1!(-rB^ @ǽlv Rp./Hm[+;XAw >/]8nウ\0=rB_79s'hؒaCp]|fh A|M #`V1¨4q0^ E`⍮@f86#{77d%Ґ#>7 ;X@8PL͞cjbDv̳Ӽgp.k&_[m:B,PNXVDFTf"XI)/.fp ]).ԭs*Mؿ역ݯ6 A Ԝٮk}~kV'|,qyGR(Kaw@Zkl.NUaYN_ǿ)-HX×&}e|ryrΪ4'kҚ !>,Փ/? qHRN6FEXo ,[l9"-;{g-|9xC&**{Wn>(g8-Ar[J@i]_%_\4kwo7&17.E< endstream endobj 5032 0 obj << /Length 616 /Filter /FlateDecode >> stream xڭ]@\BRLPEhVib'`hk_!&Lrd>x=9UUXOdkB]hB,]T[QgdѴүDe[i+ *GXJ-6lXZ˿nbsUwL}CEgsmA$MsV+o{lx)s4lz5J13X"I!7d⧪ xN1:5 )6j ty"pP:oJ" zHɔA4)S4ȸj/lAڎoQH,#@;Cp{:0#hto˴V72lnXLSKk*,2X? p(D3?d@!GSL;U%(80:!7gSuA.ퟣybn'>fU<Ʒ7M cLQiOΣ%Aqc$JZWʫoSuX6ݬkL3X1)0+[)P:)r6^a/^2)o endstream endobj 5036 0 obj << /Length 615 /Filter /FlateDecode >> stream xڵ[o0)x4.撽 TlM6r1U#bS%i =w&$M\Eo蒮3mKу-)J`GDVLTeq\1{s KDdB |LPjsv,FYV˿/S_N CKWmnv-NM4z+)Tۅ:֌O3\RV lŎY6S Up%Ea^d2,{-j.%]3o8 rt`Heut᚝LCke΅.W7zg?1@V0͸:x0mUV$'|A=rmDxyS\:XO+R>ʯ#,:H9`6W(\7}M FRrJCE  endstream endobj 5040 0 obj << /Length 603 /Filter /FlateDecode >> stream xڵMs@໿b I@kkš6􀂖 e-`2ǗeD !'>fcU  ,*0dSupCdq %WLI1U jd[4ՄB0LH5ME?XH elZӟkLԇ@TFR"RtC< %#s…'Ƭ8|ΞIК]{3%29.e3E_GNN|'zEfrA/YY3߱^aagAXa/F%s-NJI%C7:|Iu& m'msv\Iv(3Y.56oNgmE71#,WRmZ{-]|uy9I)$3|Nv)O\@FÁR :a)s7XxmH y١%>oKp}]Ω o3n^'}WOb3m@^&1Rw—u> stream xڵr0~ v;vw t4iA`Au_ ĵid#UT<-uMTe4!.8TQMKRዸ؂$!"Ɏ3-d3 ~7S̳u%i"o%4-1K;YKߢgK:<ش46l՞k93Dǣ 3C1-c8.@ojv*8E ~o HRVs C?ĐM[q k3moItKt=7o'N˘}> stream xXmo6_!f%RE"ېh@i,~o(s t'Kxs/T-{{zr0Azb/ 2D7{8 F_&_z׋3fq6VgC5B|y͝zF89$R &+6#h ?r)E_| sڠ8brFmAUtę]i7`GִE5/g0UQ,xK㐠82@\_}3KQ俾{ҫR~uH m$~'pp}y{#Uorl31!f^c*ⷷiZΪk!%a1`l*#n;iZ<+ʲ1RqM=hѫ4Jj)sɚȰ.[8 !PPslBPWTU+@]$p: ΟQYl xRۓhWC,#l GG<ӊuVɭ 50@(Xz*z &u3_dPR]^眈pa"j 9XkMf UFE;uQu9$n'Ӓp/W; >B+|R>Fʊj逘PJub0E'g[IDN4\vc%];x)ʲ7r(Ʀ\F͹ı:iQ3/ `VTK]V$+Jp"m}oCBǩ&+ָFPcX}D qh 7H'J++Kׇݥpԧ6{u-l_zbsy%xMp5m=6퍀Ǡ=N62G# endstream endobj 5063 0 obj << /Length 1754 /Filter /FlateDecode >> stream xY[o6~ϯ"VEQM=C]06c %؏Md:Hn@_jŔ; w'^<  ]zYeaq]-5i;fsle꛾.SW !<^>nk RU|ꏗ(8\$G⭓PC~z{sYR IW6:wZln'QKQ/(IV+ ˭<(GڶC`g?8_~QHnwk@L.Dͣ$ \xs$־K–:H&zgQX}#mLy%/xxM:nC^ڰg>Ss+8n~yQ}Aʬn¯(I]VdY N'Q/|x;'Y6i\mS dBZ,oKSJ&+˒..[ڝjh˒tڪzV(8RFM; !t;w0({Շo,h6TD}! as AZIhwMkN|R2شs 3G$HaopƧ9X>ڻDHDŽQtq_ޱaleub>7ЭƊ\+x 9qT$AQLH`nY3`Z94X~'E(ybd/&Gt#<+̞ddY Bqy!ql8dډے4;|Z.^E~~wrncũ`!be=>->Y-"h٢gW(0ϿO\?pA2 0ݯCSߍ[ݓ"`,ʾnc]dv=@IWfQj N9 ZA\-'*K2tXㆇ\Y ] 9j<JdŚU){89og*5a ,/#:÷r3 w@PM #G+bR93P>"c1||&#ly 55E2K}кnj(3ɈUGW2gqyԤss͠GJtk f> stream xV]o6}ϯ2 h}\`{Hl0 :Ddʣw)j@`,W{!#oE/ML8Bh{덗%^([>ɓ~2I edai$!~(7o+%ؚg{uQT(Ӑq\a$K0#&Vau }&(ߘ'D2k_=TY̓dDq664.T"-Ss1n'70y<̦|awJvf\̚S%s9"Q-OM''ᄸ=}3iBAq2f쎋֩(25Z%RоB(s%Mr]?TrP*PbLIִ.B-돿 06'5I8wx^h%P?VQ9z L83RC aBLo:r4ӭУr<\xՑM9>GL;4'PɌXY`ޚQۯPyj+ ;T΄CL0ݼѫ|5v؞z,8sox-)`ԷL,cu>*mauѲt$8}Zzn¯|3vSm1fug*'ib8tGD5:ۑdL3p9` ȉDs'Q2%QM!HYi,3{_҆GɌq3VVϔJέ>r+v_g}Ε;潯ºjy5ԧр^قLw/k(@yC˾{F6/|]?5Lo*j?u  jyӋ91k=h'[}z8꛱cN{vwVf-j>T΢/[=\ɼt endstream endobj 5078 0 obj << /Length 1224 /Filter /FlateDecode >> stream xW]o6}ϯ ǀZ ve v5%3O6Jv39~{ ''gc80vte@lN6َajٞ.n\ٓQ!=l|zաbx+YQT֗٥|^q#OX@s8k˯l&SȰ^$,ۍLL$U=LYr48cJ:?ܹ؏!=Hd4Ԋ<ɢJy*'0YMgրs>lqr5ſz:IO\'&1l"zXmJ/J:U92-B@gbp|2^~zE?ԑVXvW`Y%u{ oCKWx)_~6B/KvxͷΖ;nZ`q]νw|RLYsSə#8^Ez_zC͇K,1Rz"AO|3X-.:b8hgЫn*v>KU&S*'RAy$nKW7)ɖUCDi)662W(+vt:Md|Bb#( %#^wm~Ղ;;2lO&|A"' (wR%DHVT7'? 8]<\7Q܂Ta6]2/ɼv6Xpے걂m& v#In^gdMŞR5SYeA$7Tl&][u@br{SćjgQP;Lgy {Qכx ̓UuheiԁN8փ{w` 8Qϭ*3|pVeof}UZq9Uԇ-5-f Z< H$O]`ĴS!i~22MOobnp*2\kЋ|g;+5FvU Uŕ6_kc= [>s嬧7!jXUfAE+ bQhVGVc^Qq-$n%^'!$/F֡i,8ݡKB_0D:IO<O endstream endobj 5084 0 obj << /Length 1837 /Filter /FlateDecode >> stream xYKo6WhkE@E("e:&V\J6CrHQ SE(=L |3L[ċo\]#ق&ސ~Q$".feV7_z.M"JtN6FFϪj%rߛn/MZ\Bʈ$̲ٶe]$QvG`4}]1Q$>(ͩhּ2rHNn[ss`mB*F&YIe}:QOtz锩y{Ze']6>&V Y?$*1/=Z)˟ֹѨ* Gw`ۛp˪C4G(jHTKt}>\LݾFj׈x/B粌dQRiQY8jYDKV4hRvJΤ&1/2{u,vM&iK3/ILJ6g pZft]Sx ,*=3NeĝJ Au} (Ti\9. [^2='mө~c*_#zM4Ԧ1 <\P<҈v@Z5 0.JMoQg{;ryd'h;@4Szf ȘwS<ءw`bBV s|uNA]5š4GBӊ@ lVwQzĐTaSGkLyg i7sDN_Uy/f>^sin:ad<@FcUCg2*76_+fmUgR.1GӆJR'QԿ , endstream endobj 5090 0 obj << /Length 891 /Filter /FlateDecode >> stream xW]o0}ϯb=M/mUB(85b"ceڏKئ b=sϚZuݹ;gZ=xbz̺/ q }7 #;~$zbzCvN/!lߚO].KAf,MtgFnЕsqU3Pm!]$w\c;#edL8}L#ù~HJ %صp_d\ijC.j gHDř&AhʐF0礜;( ~&eJi19+0>(OqSTWHKz a7 "qьXzK>ٓH98-fڑZy+#I܅L~xԏuAGM:dGB%&PVRA f8e, mҤq&N)ckdQ` [# ~# di%+ \SbkvlmVԸ2 ٓb zr +[e{g z§^;\?,|A#|i(R%c yL4;z۴8:JǤ^狕@fڊ+ZbBz J"V7lRɘTfա)OW8r \3jL),O}6}>KIN{dF45T$ɤ Xs)[~W|P_Ksb:dfd-x$^kdnD[?h`ͬ+mf6pLhj*8UyΕ}׭gԐL< 7-&pE9Ie:'??> stream xڵMo0{~o 8M;RuRia(80![>0$}_;F`]!&#8@ )l!" }!CUbGe)8,jcק>lXxC6-bcx7m4A8dNd 4%a|2k@7%0}ɖX4 'c/' P 6 jD^E_߫rz ;UFv2[`/ZQ[Õ.2ܴ=cUK0GTNѵE;Y {)Khr E̦YKk|CM/M\R}=!hk`&6fssYxgZ,]uH뢓rs5l)V!wTtCEZjغFT1Ү:uZijM^?Ry;؅8g?鹥r̲2F>)޺j6,Xo&Yx. WEWL_V=SxdtWkK0 `}vs9`-i&ZDyrq$w;z/궍wi:VB-A|ىaQ~{Ќ(LS D endstream endobj 5105 0 obj << /Length 952 /Filter /FlateDecode >> stream xڽVo6~_G "%CRкO](2Ew%r-qҾyGhbvqIID09MTШ%ŒGe9~wSmIeYLJҢ(ō3NF,nNH\$eǟ,6;cڛUۚⷋK3NP倫Y2hf|wUmrcc+G -?$!--(%9d`惰[ Ųkוs,Xſ0a@Ǩ#FIL1>N2!"VdG(/TH7~K12 s_^y[dIPv,fNh_')Ve=귻*AǠr IqŽ r?xF%o*y#[q/Yg(ٯV(p [=g ^ڛ+y13lISY{]Je+/+dԼ[:|}ߓ =%垒xS-[5=5nr,[:rn\WdGgS&N{iNG7As餐<ÎK+x6ѽ0ҫSlTBxk:8>W;~4#WAD ,go:mBNDطɇ(;oVu-C;%c1vw!B\9l}FCM0Fy ++ 0  U08{aHJV>tazmVbDJ¼vPn#~ox k s v݄] ~xg蔷ŝǧG t2;z1_K< ,V+yG{KO[T˜.wOՍ5Oϓڿmb/} endstream endobj 5117 0 obj << /Length 1203 /Filter /FlateDecode >> stream xڵXnF}WnK hc;p"D \ұ ;{!Eʔ_b9{8X8xw)( ASs(tu>e(I1gt}٨$To܏*jw 6!jD LIj1B1 w^_KwPNh~/`di%|y者8Hg{~/ڝ-@]K>7jUQVzaXm$W.Ҙ?녍jP8W]-\^bUOgs];tl"{.Ε (!lF͞;΋|HIf%HKś|堚 u;~.ì^(^OE sgվ&93bC;>K)ķSxٍ+*hq򻧛]3!MeFͥJDa^R)fֈ ;rI [T5spnQȀV@E뤆$,2E,wneϓWc n{r,#.ɝz9@s녜 mS1Z? "Α`!oO..FK`*ehL`'- endstream endobj 5123 0 obj << /Length 1134 /Filter /FlateDecode >> stream xWn6+ D(z .ڎ )Ȕ!qR$mKt)ڕiq0^rja( 3^yI2oVxwO|fBI$?[qZQ*?7I@)7Gėϲk-6ϫJN>~bv2b]^fJ"4^MIt,X(a1&p^?mJ{RSm(AQB5+B/߹\L Jqb=O_bɥMkoTzrcieMJ -&)QV7 pp׆\3 `AD#xUUYou1!C0Bo-p3`Q?5!NVIU)E)#k|u"*2" !2X("&Ӳ!a~ϛu)eY wsQE=ӝ\ayc@s.f^ݡ r Q-ps3!F&FIOp *ܕRgWa$%~S-,pm|KJJwɫ1O|ivQ7&0>S ,tNuUaAFY7`ҝg.}9Qh閃f9_nuʆ9C@`T :J`WO-hqs{nպ_=$V:otjS;SitmnKQԊOnQT|ͅ:myc7_;bҔ}a#=_nƮp ,%F;;ݔ cu$ gɅdM* W50T |+0 !ԂJ?n׹_'v_VSw}nx1\QFC|Ch o)e5SX}B]j2&hK]yi3vLRjPR;|N\]GJDY [|mSx@Lj)\ )ڣQi{X&l ^5;3 ޕב3 ޱ׳f .$V%#c /-q&YG܄u0Rϭl}2J&/ة4v+:KQF~*u/cSo endstream endobj 5130 0 obj << /Length 2253 /Filter /FlateDecode >> stream xY[oF~$Ce] u#0E (v^3C5R )z.\6pۋd*\E,#,̃&r7W|iƖ5xCUM/ HGZ_E~H//Q6|z⵻ 98oyLIi }">Tg c'"x iJ7ɉtD(S0m|wf h*=nfQb nB|7%!L-Y;nS+X@xݐ?;v9`buNiOqT(uI5 t1A.!(&:*'C9 (0MmeN;N91kJo@͹# y}h I4}YͤZq(398 Ā mMHεjù~ KVQͥ~UcSD3JmRHTINz"X^8ϗ) n\1`=/K}QZLF%g9R^?pө?BΥ|$%rxis[m*E2TJlxwA|+..< u9IOch4XCl8l4FpU!`4%z^# -ܱUBܙU>.BP[x. ^j?ex xu:Ԧ$sQ=|W}Ø1|& |7f:WoepAf )1j 1)dmVM蔐F*-]$bЛw׿:0 $] vciM3h>S;Jk`,x|?vQ{dO0ZI*%6|;L7U0/Yw,nŰNplw[L,D}):2|bw5Y,`=*{nHoC]zHGۨtE7ǧ0 "_gGA?2;x2㨄1$TBǫt51k~Wj58U">DBRrz@y8~kEqU8,EqYqptj̯u(($vhq+St+Urw"=f״mg^d[vkz!g:]Cb[dW>6n)XbtU\{$翕Dq\YNh(&4)@1\a"#b$gGZΤ¥x~sv4"2@ YWWscJ)6ۺ\KS<j݅mesDyy0t6> hN:ց F;do? ,z9ʹ_OQ:M v荡 ;,3 c?G夤>>ྪels7,; [d'Q PG> stream xWn6+d`, nR @2D Ǜ^>dKRLѕ$"9#oEޯ?.>^CQXDV^{y4Vw/D̂$I8 gA/Ֆ-kz/fp9 4S:Iu;~xiy2YԪȚ)/H0 l(ۘ+ - `6;,0S,'5@Yrokxh]0Nu_˚gR^J#Shrr.Fξ̄ A\d%`%ftsrʊ, őF{'g>C~[cEәqNS=b2cr*lJʝĬh'{`~"^` !+1c\jj*ҕrNb!̶ς8K8䇊Կ"DWAfSvD:4Ld8Exg< _BS˩(wAaeOz Y(  tS@p1nẳy9FCiD4ҧZӃ8wX >qS\Юu{ői&E:rdyRV@ER`yGE-it~3\ڎRJVJ%?']l;hن8BQ*.Ug-y ́!W#lE{N0ͨ%LPz/~cf}/ N+{go6mMCK X8y &W59"U>*!e]˰iN@u8C%-a -5PTױcՑ0,Cn^_mQNGp4LV8?^XkUj|>@XJ.C%*-ٚ]'Ҿ_J>U3JnBI"hf*jwA%}nxe`C;=0.g4У'\,MEC7lZ] * endstream endobj 5021 0 obj << /Type /ObjStm /N 100 /First 979 /Length 1979 /Filter /FlateDecode >> stream xZɎW!l`0vCYCMq"eJ(ˋ*'M!n9X 9I 5KF‚xmXC[(p ~1 8 ( ; ʠj)<<1jG5nհ?NdʱK5Hѱk0/Aq4c^85hJY6PΝj<3jPkc͐d}vrG3$5n{0g̜@ 散Ee)8 ٖyUKh-DbmHҨbuHՃ?(Ǽ<3j ^V3mw` 6ژq!-XtLʵT k6L1?5T, owwPƣ$ e&IC3`+21VADI F ِlP2~~};*Q\HYN6D`gH Z3BUjoބ`*Mh뢠E{qS\pܶ޿[|_?pK*Tl78=VsbNnnXF~c>翼qJzϫooe,\gKvZ:`??3/3o2(c~j\=j32_S>'?SO/KyD.XFoOmThݛ5VƊ r6?ߋ\PENTsɇj8}"Dx&#"?3n"2.D/~<`%G""Q:Ie)xQ%<~F S#b|UFJ("MT[T٨ckۂrFl#4ci>,JcKgRcI&" `EOA܏r=}J5ZQWu3ыePۡ j<0թ6SyɠՑ>gH6p9lggA7V? Mt`ZsN9@Y8VCU H1l 56C5B2)w@dl:i{pDR#H;9N@I0vQL5m?RôSk#5 LR;FE4qtt`"&%1;Q-#ge4[5h/@f4v?0&%80ɁZ{|I@$hIPлJvL.)uD]X'9O /tze|hSY~"ysf*bJ+IF}59QV::8|Ghl[Y۟ėnDD;h|u+M&GEOrC \mry'v]͌E%mHQhEUPXK#Q"rUy68N/vRU!ji4RNIlKWxJ٦'~^Nz&Icg&9ql49DMb&#ZY4,PKGwb!tT}heK#l@[o%Z:?Hj^o/ zȕpݑ hz֘uo-Zq~ߊEHdHlʃloRPD~u K~g)`4%|IUVG'f9E;%~Tn/0 endstream endobj 5148 0 obj << /Length 1856 /Filter /FlateDecode >> stream xXn6+\IÞ-Ǵ覃NY Fmb$J %'R$%R4A]EIqι2Z׫o"M7E,hFi->&Y~*ү\KE,KhBQXd=m+DvꄓhÄ;$(H}焫*K-Qgoᇲj=)6^^{F;ΞVd#۳۶onL"L Xy2'Np!XZ{H\) n(NEjY[Qoؙ8}RNk#_-N=7ܬ;oԺou CSDב8"lµM\qse.2榁"ǬԿWff :3!e $ȶa['8f ^-P'z4,/Hs!e_K׊Ò j9=t6DSgr")¦\ a }Y,,̢lFZk;_O7 d7Á30IMtr^S!E~H!dy屉/t y)jXHq~;V=dNHwAN"&djDø/FUENK7D :ԧ3xC33"؜f yW`)H㍋cp1Zyۊݹlι&W(7*\;MWΫVb*'Rt̕Z:q2i3zNj$f fz(I b!O̭{ B#B2't=gFh RFwāoO"q LefeϹL0XBU? qz`n\`mAke:CƳd􄁾B7FҶk7g#&^t;e|2EYo 7==D xn~g hC97`#D"1h91XŤ]S!9q.̿q4X]2{[@o,kDePRQFsFo+\.Jhnjh9抎ka8 8T(oXmM*8xS9% _GVxYo ;-?QƇkVQdMbq>Y5]=c*oIf'0^lTj ctd/z)T ⟠]!t#P;ڪ{M}6 =',艈myP0#Tidb:U6dfЬHg4ehjfg!m1U˄gұ*AuK3+YUӃgʏ>ȭ=*uv;Y5@b _ A{bu$U7=\Rv->jRUrKBTy4%e e3Fh'wBnё{)JxZ,G>XϡXwXjP G_i}rq +q 0N_S20 ԕ XM`ଽrhY~H7J6b;. W6U bbDQ^@9I/ΎJѾkG>.rVd+-&2jզ0meHֵ#{ ^1W}eT+ <®톅}$GsPgJZ\D[:ZN~M<0H-Fv%/7W}5ۻ endstream endobj 5158 0 obj << /Length 1662 /Filter /FlateDecode >> stream xXKoFWH}d @&h/ AQk{v)Ǻw;Kvh/Mg2%7g?\xMɌ$qdvq5K,M8bv}^V1QiE7ҽ>R+='Q/ E+~bٛVnYYTk"sA%[\ݽ"g,AQ_ftH ĩݩۢ/QV74ƽy~LU}߹wRFJ)Z"o(]ۓ <:֋1MlA`}˨@[4f$󦰆 ] !]ğ%32V8˛3$#s+Ry'keV͢q_TE?@vkl9ς.\[S:ZI(,q`F)P$O4CQsSa[78o\C\xHSDyWgo!$悏Dd@!Eu|d1ND|js(8%`S,?hӘ-sYy Fxd$`v׻-6#n QLu ܱ[cF-?bб׶1r[hkvZm+%WOzP2vۥ:xnzs 8ODl6a nPE O> ϲj${bJdmwcҠk>,Jӥ4 UJ{ӕBah\yo^L7&*+Y '1B27So͘Z55Fjg#Ķ' r<z r $Ug*T-T,JPPBAΥlFtl{uq%M>ibwOHa8*WәFyΌGOqZ[W8 4FAAcA], 4N#|ogl(8Q뜃p,R[ }B[H[mL·;v.GZ]Y&wt9X'%UQ4&xBVm\6O("q@0Mmvzs}2N"lFڭ6Z 訿vQ#o .yG`; l)I"OH >\׍kLO1V :AZV.aOae( -zU*|ݙ~uڳ VǦƭkj7n%fn} `k|G8);6y?EjO:IƧ@ endstream endobj 5165 0 obj << /Length 1792 /Filter /FlateDecode >> stream xڥXn6}Wm"j)Z`v vb"Pd&"(%1Џ gHKrŖHj83g &I0䗫t2X$&Y$\&^L_q'(,%-&F AOgq{ziQNgJYl╲ㅅ 4F(+`[,Io%kQ4>кZZl2Oa ‡[ZZnhX4 c?M؎hfE>PZpV z X [ְ9=UfƤ>ue768tA &nh9W-h̊r gMI[hڼ,ϚqV**: ;[(AQ{ ZTŏֱI_5㵈%jWݠֵlQYu<ڨnsa wzA.F*Ό2ǰpbjað}$ndUנA=2Hیv+*dȼ`2|hvܰ/z#}j5:թ w]γY?Q Yg$>e d-0c^;ijMcOEd*z U.('hXf&\ (P1' h5fwϲyF #Υ侖kbnMcya KT- y@kCtn!H~ۘ };4oK\b=6迒 yKznzk(T#W9-wl/Ź0R6^ z)Sz8O)w8M |t"įP6B{xsҁJ>\߼$ПǩekI89‡/!]{Q MDpEO&B0%ؚ 'WHbV(Z2C,,j@8Y.e1 9Fu8Tsv܏E4m]1OF[1hXuArg'\xjn>1w'e.5v&rS$~zT"3Eʶ;Nm ZBKGh 5c:EfNZG8"Z1 !TfewS:LNp>F)sj8]b.Fl" Aa$Й`tǾ?l벢P\0zetDbBygE`m/42ֺeupNexq |CG gHl~¢Gn[ק)TY()`tه7\2p!9qt(om6HE֒ii3-sDI;f[ aF }nl᩽CЬ/JU0 {M{$+0 fPl[6Gub_]a@sՓ娨)$ Hٮ EHGjbFrøU[Cy%x,ʈN%u )̵G-0JlN{#{wȍ(A*H+(j4pN}\3mjgq\':ݟiJ?3S wL](}cxS^<۾9ai㊾r]n~V^0K4OOxɿ1 endstream endobj 5176 0 obj << /Length 1958 /Filter /FlateDecode >> stream xY[o6~0$1+R> ؊v6,Cڡ%:*KH7MCP7M4sxx/G?=y$3Xo [$~J0Z[.?H-WAx,$Uzα>Uզ[R/n.WayB9Vu-zFÈ8A/}oE#U^, a'I?{rRX\m߽ ctXlD\E,^N]NLRb]m*Y5x)ٍ*Qb+⡺yyk> ֫s'3f7yU5 2iq!G6#Vl :ԛ 1K| h<l]%ٷN@ DQ8DT ]D>6ymeT˧׶3W '7U#sۍLLC=Ra=.DE}Xg($InsƑF-fMOÚAOk cDYN4`(tZ@uo3DuvvB]o+d#g*Z{cFq%p?*~!&h97",v^y:3 #-s<`;6ư,n)d!}? {PMPvBlČIdACj0t-`p4;HЫ$鵂$;9GI4ѠG[E $^SLP.9y!-(r'}WxQ W( zOuyqٸ?ogd궗 7S1`l,NqHqŰgtƖ3H[-Ĵ̦SRN "jp])zwU%$»S.f=̃B u4 n9@o/ ۀc]!>%i F% _[c4{^V5n*ݧmH9Y J OIכqC7K7d$HSYx;MYlJYf Gng-IA[#^TM^Ӊ*9ʌd)LQKgȆ*r!Q kDS{ `,R/ر_ 鍱ye7Se,RG$rN2&Kic׈1sv@zXHodSJ)A7Ovm=],w1Iz"iJXlKZYn<L(`-# Hn)=w[z%`޾.3g_8JTMAF\8to9v*7.3Ћ15QɢbLAJhj\U׀xm'QWSl^ TSO];a>U{jcZlM.p!("Yխ BmSEO$F3 |RFlpNOhJ{B'~Ahy2ƙpG._$vt{҉W?9qYYQ?p^<ٚ>*݃dL}{@> stream xW]6}_##GVj$J6UwVyh;xf^at 0l(m`s}9_|gˋˋ/0uR?rĉ!uKh ߼E@} |T/on£ooj.3neU~`B: W/Wϗ?}c?7Nyw^{?N_y蛂GC !1"q`r2.>Ly8A8I]Vm\xA͎7b\bX{,7K ^RFo; 4g#>Jq9 nԮh`0 G:W]E U,< (HX#<~V3 GO#u'y+ӒzPKDx3Bԭ]9Aq|&!}wLQ X Φp3Utv *̲ m3 ggʛ"Y]ś*ń_!_ Bt;4M-JCCiM4(6c]Z͂8n`PԬiJMnheqg|:-}tc 71񆷼ʅz|fg^dzX0~_QA:&(fBp3gr^mGG^[d*k桭;NmL{ֵX ^&M@)?YdL7'Vr3Bv(g4i$[M=_^ _Zր endstream endobj 5192 0 obj << /Length 1077 /Filter /FlateDecode >> stream xW[o6~ϯ$ ˫.0`Ҩ[Z MB$1d>R-[ 0)"\{o~^#8%^b8A /[y&Ӳ BƘO9 8Nl#MWbϛEr.nղm˼,s"/悠EWHc ;!.`>KUZ#aB&^HR$h귪PP_P&b92a85B%p{s$MN(=xQ]sjT?3wx({ joOܒ5 TO#A'U y)fd<Nv"%HR(L#aK'P',UWw\T})D"EjBDPf+0r uDװ ?aRϚ D:5Ga11bho 4򮑭3(b*ɲTfs/my):ȩ \K4k $0pS`\*Ϧ]gkg[ٹn޾a.Tcr>)x-gPr#և1vjjѧLNO;<|z axc'L{qm2l}v-:獇jjNyp 44Oz%<8:#;\W}k+'@3dF' %Cۦ\2挭SDK9b:2&V٤^ԫ#{mmJ a( o`rrW.!7fUt}@kv̭X\f+Y^ r[+C=6dAbj@{y!{A=׆-ˉZ#Az _a}ѨKZ""נWWڮIb*D"4=Vcb fڛpd^Fl7Υ`{ 끳G$/)e2hzAC|yjljlxf}bxH$n8x6z %Gߊys? e_F3E?!Sv endstream endobj 5196 0 obj << /Length 1667 /Filter /FlateDecode >> stream xڽXm8"Sik8$ZhHIvY~V-{I$yy<v6v^<{( qk'̜nij˗gX2:^:sQ$ꥧU9bFc)T\ Sԝ&߱s5Wgs*25Eops 0cIzCHH?McF/ïm*p[yVUVw9kZ^ϰ3H Ens]CrMKy;1X(]Gd}FҞ >yՍ ?@1< Q[Yzg5EQE$ef xkw'Y*ZTm}h@58dNIQW xJ!#7rF܊"ۥ&WUUZS{Dӱy|7VY)Aʎ$:ұN9l4P%xN( "2۷ *N WwŻD`TH鎿ٯZJ7>ו%5B顏%8׫ku] lr#7VW".g%Pqm'c!neVEܧ>0)i#{**!rWioHUɐ˹ȧ$#7BnZ|꒗'l;4TQH !j #'W_ %v׍!EKuR:D( 8ԬӦ>eV CDzjl3 s%1&ccҖ@t~`Ueتm PI2($~ܓAQ3~ľ.O%3^_ѰS[x(d6FaT.-,nLTtْݫ=yI8o9MaRa!l1="PB$#:ybu}}(/F3So x!3'\эkMRF04.7yZ> Lkbˎ)gy',WҜ١ҝ"BU7e)_^ᬙXJW"\6BdF`loerS*Ĵ=nD^g0}T0s1Dbs/Q2S: 0׋LK"v.I".I3cJZI4a"ۥ)Ig!˃^^&L+ԁt*&P|Jt?t3J*6b]YZΙ:6^ݞu8P-RMFH48˫gų'N*?)CVz|4PGkV+%tYO1۸ۭЀ9?3Q@(JoK>7e ?@/*urj<*(\Q[,^?Dy$N 3R@{}ST\KG.H$Yt3pe)׵3a;QA?Z ם6-'l{P-̈o`xH~ܩτ#f˙׼F Ϡ7@ {b uݤM[uo^A2ͫObnCxz1~Cp iٿVKO Fecx"Qmg˳ endstream endobj 5200 0 obj << /Length 1215 /Filter /FlateDecode >> stream xXMo6W(1#~c Т[{.fdT>^R$e4 6XқfLF(~?e}vLKEyZhĿTɺd1*ϋx}̝5WÇdE?ٯp,d{Z$_\|tbB!pp eR #F_49 8Z P\cF2AypHV[&6ΆX!+ ^{Uc>y"V&Um"sHǁBДPE417U}9jsKd5암}1Ot#W;~CYcO SA[AUym;aiPEĶiGi@ Jl-0p/F:^(U)(`9-m*0uNxD!5 QdY(C,ΰyc7ԓ.oCnyPκCC LCǬ@D!$%.}-' *u[c5*GSKtB(.Mb-6GM(%+=\ ME4^NhdUOY R̉q624B> hxm#6ḟ1OS7j$(X!461CS; Rd}gRI 9ȎNWL/,#vpqQ]Lxc˺PzOEx!Cxb(Ʉ7*FHHerx='\ ʏc!=JJlfI rss8W",:1jN^nc=٦-0aꟄXF`]Jxb Hı `YAƈ^@K{A6ҮNv9(}u"Zj*5ƾqv)~R )fJhgB ҼT 刞 sRa6=}tv6ɕB:T~ W6Ca^/vM έh!I RZ(4Us.p,{;7>['F|߳ y @_TA˖{7%8gh6P?i4>.޶k.kd^/#-v{fwҜ?P6__C2BDZⱎjkg%7 endstream endobj 5206 0 obj << /Length 975 /Filter /FlateDecode >> stream xV]8}_#68@WԪ;C+Fڇj bkӪ}ml IJ;}}}9z߮no)Lb00"&ټd{}=C/!IjLjj &[[S7aj"eS۳r_Qhw8(xZTIm| (z*fRB@" 3.> stream xXnF}W5Ƌh(pQPI ĕLX".eG@?R$MŎ/"gwf9T୼plB K/"^(`ܛݝV)>ah4؟I{ggټa_ј1vk}q6qBB\o`muP&ǵ(] ֣1'_jU~;_UY3W#7!4.'Y4En4G$V۔9р`1즕-Wك&"ccxJ AD #,ٲArp-mya#U% 1_~Te EGtz:+Qc=ӌҵC9a,!8krwp sb$AbC/ƐG@\Bш"MK@.~+릕L/}u6dsUbQY*4nkPr]ԱkP-&YAYв}f]a(UV6eYl:|(U-TTn!v#Ekƅa!0-unx(?;}YM=\6Cшl+Chџs[*dj AD2+EQ3_ C5p}}nnn-NC9\ EP:hK..Z NF$zA򴕼s vb:iU0"ѧKW~Dd])'Eq׌=f2~hGTl]k4klG$ ji A Qݹ[˂p%]V03}FA<:iA6G(4$-i#9M|q Jp=[o=NIZi'T tmHo~s_^\6,wksĹfa8z/.O endstream endobj 5220 0 obj << /Length 1337 /Filter /FlateDecode >> stream xڽW[o6}ϯУ<Ĭ(؆,"+fH iG,~x,t:^b|wxXK˱>19yw 9& +p 5[︃o?O=kеI7 mFˌ=@;_ & of'ݵ 70jj£@5Nfy1{S1*_  ~'RRsrlYO{,%TodB^2Mf< H7^RB2H WEJ1CdyK=nKˎ.7DP e$#+z}Z: ȓhU^9K~qQ)9F_ҚbUfp5*Yb$UEӂۆPןȭ̙\~ 7ӷK96(upݲÉ >:դeqز.F=(UiM^3u fm)$H6i}#Lq4>幞7$Dk`AQct:U\$PPX+P2ڡhF__&OҠem=,<!)\WT1PLm/ʜԠ*NmBR>tA)ۻ`e?cz.@B$T_T̨>b53 Zh뻷].oz>q˫Lz/\{G. k?BlA37_n{[5U8Ӯ83^y?Wܧ{5A(|3Tm^ǫO8 endstream endobj 5228 0 obj << /Length 1240 /Filter /FlateDecode >> stream xWr6}WAvb[qܦǖ'IHD"Ue_Eʔ"N;}5rww޼ })tF'O3*[x-i^n͈ZYUyy 5O!WK(# eg9|CKƍPX:ͧ!M ƩN!ӹe*2+u$]e Rtn>?AFWHΔ5rY=%lF 0"% XE0(a|^S21y$y 0 M᭦w+vk';n=4/ZsPHYʺTH&  Aư^\J3A_xGɽ,?TZ[y?礜qAh^N=hΊ& A#DVgגNgfgZ Nn %[o a2ڕ%3[@6BG];MwWF937H=wLc^]Wį]f,{|k1Vepl$dXM.Q£Γg+JlREQkqQĄ:UY&6+ū'G9 $HSV)|E.̇d#+bS Ƞk;4döCxQ/,|-ӦeTz)Js磏>j(A˳ᖹ#;rʧ:$ Cr WeUKIZvHL(cOȖ$?/8%!nMw^ʺsn.t:̳鶡w߮OG}Q|tuq3~r8o\Ӷ- endstream endobj 5232 0 obj << /Length 905 /Filter /FlateDecode >> stream xWo0~cq~T$:huR+{*datIViαC 5e^KbXS˱fvPL,X e`l؞6oyXp@uB5iU4[R'i&]Q"ru@:6\zX$iэM\kiqJ&,].r{hHƯ\Q@B ),n)R0 Ń80 [8D=7[0TFi$XQ[}P*N߼XdΧi ZB '"7I` U c^pRl*9S& 1Voقy<+=fu Cq ԩ}¸s-FP>`uhl'1C!=QߖI-l҂ HSHE`(+qD.tTh/d0_"rV^f}fMb5ynb% VA4QGhYH5s޷RES?fsUc:6n$^,m)H ca!TQRM@ OLAQbAQ7 cn[דn||Y2c^T|?qɋztkj{we tKtĩNAT*.3y]hw1t>T[S _;z'JU*Ft-%P% Sѭ<.۝`otWc,b1X e|P 粋^N7|^v fV`D]sd*1XgG.ݫ{t!ĝOWD%6>욜w_U<$ endstream endobj 5244 0 obj << /Length 1260 /Filter /FlateDecode >> stream xX]o8}@@m*3'AC nWBR(v/->~{SY*?;HA10Ht PGu 64ݲ,CU#$?5f {] ꃜ5/Z,qk?ϯmL(2l\并I3SB=ps9aŊnC4b{+oOnm#@|u \0(_EA,Q/ALX%CZ!\ϻތýe]`.@àST^Ki8brb8Co< y6pӬ^V ,--O9']Î8pJjG’`Tûػ^|=I&eAeC.L,ɡtsٞz\S5"3( w17w϶L᠝ 4A*4>!r0X",G]-71n(Ml Jm;VnI/6;cL 뙱p\GTqza=02q(eD. Y%!\ O^iN74!ƬғI6v@DmY\vZ}#Y5J!hs[!G}0 FI1Vpd};_]>\֧oB-jl e^&ϽP.THdMzb@HtĔeYE¦sr%P = 12׻ƛ]邏nQ[˅(VۖCBd͈B!LY&Y!a{51\qߛ@RFx̖LZbкޣ-ҼTM0\uzI8ͫ"S S-0SE2 yiaýԄS>"UC;.ٳJYP{bj֮#r@vEEìrڝ]Y+ C <@ Pą::x ~u+_h&[M6'UfL>c ZӤaM}/XÅ>!Q^[Q<iq#7F^ks endstream endobj 5260 0 obj << /Length 1212 /Filter /FlateDecode >> stream xXߓ6~G p6鏙6tx,ۚvw_|C}Ho]i7^|+<Y4|K Eyw'Qv%ΈJ.˭:8W2ԗ _Q BBZV%F΋W1$Bߏz?ZqS]T#:9Bwݚ!\TV S,TwEoY`M=όP 5*m9-bcKs^SNƐRvhhf*0J94\~C~(EmI| =AQ}Vt2}ᶳQU)}t¹ endstream endobj 5140 0 obj << /Type /ObjStm /N 100 /First 993 /Length 2174 /Filter /FlateDecode >> stream xZM1CVH -( C<0;j8>q*=;jMt؝n~UIj!˥ M% _.js%\Ixp ,=X5$~o6m-d͝r0 ٜ_MCnʙ8}_ A8@u@Dطm2^Xq I5ќKÍbrMcf&A@iPKWcӖ9^(=GG_ W;euJ("-P,qBCviC@brRe!gBJu j.|nÃ(2$'CȽ V3@AuRhg9jU.As;[hip jTT $|'Ui-qvs zʜz2R`ӔB1KZbJ(s\ B]0Z`*)hNJ:R%$+"v.Oϟq@nˏ79zņ \}=Z!"G@;j>Bbی6#͈`3j Ucw&k1IEFZ=K:BX`cE3–%"#eV(Id6TRr8KcvIN0T tbXLj\Θ)@pm%&ZHb@"22vGՎxTeMK1v -HaF2bÌ\ IP͕b[DZ994]5@('8tgk,(?qfXX~fDb570cY=C&-r-_&-½ LVzl$' @ AP*y|N@FƘ_f^Q {>)rM(t)#I%v`حy39SYkr" a8[Ub].CbM=S'>Gvvy>[VagC$菈8 endstream endobj 5267 0 obj << /Length 1246 /Filter /FlateDecode >> stream xW6W=@)ђ@[dS"qC60h^)5{ʖlypN9YÙ7oI$w$gɌu O8X0//Z'Q!IE8=ea-zBBo&Q`ؠي׵|v@XxN!i;ćzҾyGily=evljj++B?s#%UG S(i< "2YZ` $>VZ; ̈́^}9x|YKS V0\يA#(,˺m}I@s'5k_bP{2D j)LR8+4u*a/ @ئ;3@TOrUﳁȲ[\=#m΅4hEe,0G5]]>1dKf6>Hn wX9V!a=J"soƗKhW?oY1Er(g`va @"gRe1KؙjHF%p9g,&3iv;r\4xY0s6w]=| ި3j=I]P˜ccXpO,>^ \?6`W7skx?;9 N_[rABS㘁^KuZAŸ@=loY WdUmfyX*Q9A2VN2:i2e1)`"\0!i:0x%.ƣ@۝VΪTHg-pHSO:U(r{ \ =g?<Sn8ịJ[^qcoNn~QD endstream endobj 5273 0 obj << /Length 782 /Filter /FlateDecode >> stream xWAo0Wp.6æMee"jnѶ>$ND9?;qn48BA Q A̹p .GY=:DB@p Y90 ݬ#|J\Q/0D [GWև"u~2q+"wnU4jYAqo:!&X>H;F؝S*6YfYMJ*kVj*:a RM"خj.dGw#jV\sive{DI< _Q '2:|iME!NeDCG&)}*mbX$JA@kq(0@$@$o ј9ׯo @f pd- pflgYOqƋLؚ^?OpҦyfT[vR%t~ƻ-(%M IOUY; >TѪuLZw9P_e;k6Bp6N_C{v0Fj*uIgѤmF&E+^_@V ,Bq$8Щzp./\4] @ w1tkVN/gW۴@ϊ/ٝF]oWR endstream endobj 5281 0 obj << /Length 1571 /Filter /FlateDecode >> stream xڽX[o6~ϯ$*FEdif[q m %Wo(Ӱᇾ yD~;;uv:@?FG3˜催0 CGlAʺ-y=@.7(Oj+tMR(o/Qܽ8 &K 0F3 }cֿa߷WrzM~mV8*p0r(p$Y`Vƈ 4KKy%DP&Eg#}c/zSd?EU]1YUF'>\}|?m%kRPӦ*$\.)S%Tts+7H ]^LŇε2 -$OIYBsKp PKQDLϹ#hm.Ukc}{qwwJQfZ^Sˆgm^X*֚9[|ğ5xy I)TD?+|95׋?||w[8}ZEFlOW,F9#/#e yPyN=g'EFž*O4 !B^;ލTn=J/*A[:GWJrfJrj!`uA dbMe욲u-DŶ8ӿFG)4Lh{;m ܶH EbRfFR:gd^(mZ-*Fdh [u !pr)b20]IcR%RsR@!1&/dW9B9%?g0̨L _[>Nm. <<iiyixZJ БorBh{#h=v#x`(Zc:DJQzm!/okz%鎏 EQ9뎵A(nr)lʉ_j]mMboD spr9PdcvLUF' >^!ynz)^Za(욿(Y RjIrE/~SQlBYl̪ {-pI8YXLn6݇b/,Fc->U'NsƦ?@=M2o.|~}ԜWn<ژ٘,*i{$ 7퓁o4i]3U:SGaՎb}o`9e1ҜQHΕ9F0@&{i]}OLKפsȃʪJIaHA|34t+lεsr= endstream endobj 5286 0 obj << /Length 1214 /Filter /FlateDecode >> stream xڵVn6}WQ~Vni.M6u@0hȤAJI;H-&-3syO~|DpM7_y9$g(||%.c|80I/0Ov_ ũs9]z>5:^0 rR>a$g+O''I|jJ¹hrhCqZi04~i{quvw1TN !EY6-qv׋ۭu?ɏٜ^ǙUAlE:?o%Qøj(XE芴c:?Eh* }5 `bL4 (f=gkp܊!) 8V<88<zqX5M 0EiO9d>|g(IUIjBiwג#+R1@@S}+QFg[S.3ʶn:EY,c_~Y{tA[t!X5AI'vq)|)jh;7͡pc\~-G-g%=OEJtG؟UvpO&T1;pw kj_VBN\z"41JɌF i󲣶ov̵Ƅ<mr|)Rwn|0vZsKIcGz73jƛw܁ v/]ܥC;"?aJ%6 h=r5 ؾNL mYZc||'l< |W~< nlu{JkWj|9lTfɎaUW#.u&/f"U*6ƚm!xKb~74J endstream endobj 5291 0 obj << /Length 784 /Filter /FlateDecode >> stream xڽ]o0+rHKϦw-!'qZKz#Jrev}5kx\\M}\gN<#)7bwad$ռYJڲ 0б8HCɓfILT-; #QO&_sW,Ceɭ##;3;_ED?J+eU( (?Gƕ:7{Piz֜$MȔ, L - :Br, {G4A@FC@"T,APOwU˦!U}K^%ug j}VPв=S 7o*FyZo!4@Qul_B,هLJO84?zg'@ *PyuVkԀs"}]HYQoQ2QF*2G(uep+SlɆw$> stream xڵQO0+JKi7mRe0:1UiP4.ٱ64T:wu;1[{N\#pCc<3~6躆9v{j j]sNږ ̫hnb3 R%E9&SBjHÈ#*v[qp칛Z~ܮa ݎҽx8MĩЅf4AќܫgJHFjɞ{dcC[x&O|4(EDSJE4ygF(p\ƫ.}⸉BmPJB̔h?1]].qiCȮ:UaDfKm@VdBd, IpXB?d8Tc_N[hɞq tZ4=Nbu3 D*Y$n'h;麰n5x9 FAn;Tv4l*QB)^HóR^-tڑ&pFzoLQnk12x5c&p@{wV{YD1yaYne T:6xY9kt}bN}sl C"}SQ>71JIaOEmã;CuMfEzw;L& l7𪪯Ϩ~WoD^bx 卞rTwx(ݹ.^rR -tه tgC_e)R(B:ȟ:rqt\h@\?J`|8_lu6oG'RW MT:Yfji0nM endstream endobj 5301 0 obj << /Length 1398 /Filter /FlateDecode >> stream xڽX]o6}ϯ Ԭ$RΰYl)hTaŢmRRHY6˓d"=Kzsv* F4eQ?E>FY1û\ۆc'Izي'mU#.8rx>y_㏼5l|WU (@1\7ukhB h}DS-mԚBHxЀ3pdOp؏]ٶ:Iģ!,lCxؑxq}3 h2"@,5ӑ,G-_HTjMe?t$XFH T +)4F! ]R #U'dJc D \@s Q.zA &x*,[u5J#@M\97 }"'{lÒZP! THc$&Zbÿ;;F͢s3okjIzAa=>Qs9P(8|p.rM率ߓԵ͠g30E85Y.'5,dkgƓX$<fmٸhdE.-U,,KTԯ(ڀ"S5hC:wijenAl>{mm>n1CkTӽ  zf]^w.o7dv|ȵ5fҭg%͒DyLy+Fs^r[,}C(bZ'8>uJbKu:-+F<ЗvIR] !$ӐZAS+ZUdf?p"S}Ǯ s">o짹YIbPTahnԃ\nVwI4y!Sڝ'ys#nNzw#|ާ]y(4y*u0Gvw9~7dh9 _&A0Zթ1"?)AIh{llF=ISGp@e9uSw>8 3gNB-Fl2isLӞ?CޏoqJS˜OC% ~ki1Y{ǡo5mLMY->CyEwf\nr,jmK#Td9ioe/yc? Fq endstream endobj 5305 0 obj << /Length 463 /Filter /FlateDecode >> stream xmRM0+|C6+U ήH@n} Df潙7} +QOJbEɅ6nZf?O[v{) ht!S ܚ ˥/=\buuBHpm? #߫X+RFU׵1b Fw'Nߥ 8v@BKeY1T=ǽd{E%[ױ M=*(ypaշK.,/!!#_2r 6]]xǩ[,@E0qH)*M L'L_}6>rJT47TzM-$WFϯ% IJL дe@5)ğwAS "ʹixa/;l//*-%7JC{tÖ뽧y|r endstream endobj 5309 0 obj << /Length 2365 /Filter /FlateDecode >> stream xڵZێ6}3U-bv`L -W@>~"mR=jt#YUTa~w ^P~U(d|u[}=$&Ji@Zo(nRTf;}AR?]oo Գj4&y_n{̇HPzrMhUM m~K_Y֔O0RIHDWLgsk4x|xJ}ς#\XMO"7S?۬8i\8hywmmU20NAO\`wS@Q)Ȃ2iZ@(qjky6 jRy ^6T_AK?y;=֙:gꬫnFM!S1Rm{`\ RCO IdI=tnBѶhcXAzdn~k_TmmN)\8 HZpbi&}HgKw;HL]ufN:U' ,!z$j?m)B)/j`Dezj+%ⱄ|/A+c@sT硋1G1+.)ωVYA$$-+*:"s" n iDBh1^ pID$\jpWzmRvaDJ ta&niҤwǺڦ9e1D3"Aos@ԈKLF&AT -!sXC&Rj zl7T\ #*Q+A(z$+PM@Ҿ>$`k?1Zۆm$gseͺ07vuabI 䑱6qP7m%  xG"Mʬ<ܵU>ܚYx 'p? QF0 dLnz8p.Pg1Cqjj`&t/چ+B"Z쇃yg!3KL"&ˆJ3ʑ kX)rk:dW#HΓAr(yuq I18]&Q&vqzp,0_پW W)ޮ7BrɃ#]^Y|UR>B2-_:?asP2$B%!;^y=#04KͶ&S9ۻjfTz뛷\zuhЊH$OOLnrg8`:Zѐ#A캢ɊtdA3Sǡg,Fw"?15/<(WIdWcaf+9QmOmJG~`B{fvmaD%qyx\bhɌؚ*Z 1]zfNfS|`gүu`3M"개RCzIYT;i,WδCg\'s?Vݾ:#NaLP:DZ&8<ԣL;p$s%Lႍ,z#gMk=1pKd/>ݮ*ldw;ǟn=.Ǹ4mf_5:My -Hb.l a1NSAs@>~'ҪlPlD|m7ٓYvx6 ma`uT5};_ǖ\3U$ )쟼R8]CИ!)Sc?F4»Cjg6}msy>ŗI\¼ġy 麸Ĥ//C;eq endstream endobj 5313 0 obj << /Length 66 /Filter /FlateDecode >> stream x3PHW0Ppr w34U04г44TIS07R07301UIQ034ӌ 2jA]Cr endstream endobj 5319 0 obj << /Length 1373 /Filter /FlateDecode >> stream xڝWK6ҋ h>DQJC6En,^eyF IN@|g8Vjm/&E< x,I6 ]K]EPկILj>Ag,1JWJ#}TvU9vk{NmY65rFVX)jnXDzi!t 8x6hSYRrJ%%e ĎXH"9ThS90|̀!2܈}*'c~O!˧b#b㉺~f$Ot [ά.AeJKfh/3vs76 endstream endobj 5328 0 obj << /Length 523 /Filter /FlateDecode >> stream x՗[0},J⃉ƙMLŧݍ 86,Q%3W/PJO)lg4WDQү@R B f. +J!(D #)n4ߊ10bRrnLikTbEeEAHP//cw%fۢkD鸋|~SDT2btu;bƠ> )JnFl KoEI /z( rqL` jdkS:!%G\gސ#J Lw ]pThV1#^t8$ endstream endobj 5333 0 obj << /Length 997 /Filter /FlateDecode >> stream xWK6PoZqŇ^d$h5E ˴M@Jm;)ⵣ %J3K"﷛{8BycoRQ"{n[[Rafb͓: ̦KUwA އ{KY1Up_TfW(nwe8>T%4m{mkpzBF B4goı_TGDJO IH |fNݽI}D+B".O'L -\69Zy; 2aʝ58&HZ$}$DY-pu0,Z* >oZcX35FmDLZEHHfZv|/J(}եnK{%5bWtZåjZ w̠|P^Ej0 x۩EֺDꗕl,LǪ+ }tΣc1*~ jY4XiçC&*իfLPQS(`e# ǎ$Hu%llXLCprQnvŘa5;~K^nI~>)$є{ gv n>Kv}OaEqf^[v]QU|"ƙ _CvIYr5(cS}S<_`?s!)8'>N3R9 dY,Z Al0?^j KN0f}ևCg1SA<,z\v@!VH9b"1)׷4sxȯfAN? Տs+L.nw endstream endobj 5340 0 obj << /Length 1096 /Filter /FlateDecode >> stream xڽXKoHϯ@9H?h)#aܒ{&-100؞80MwQT}UU1((kzsYQRm GER/aFPm G\P2GALQҊ*aa%ޮڟ>~i*6gIh}[M?pujYw#NJ ةKUF f[F1/zNMdY%М2Y%5ӡ ^BF14~Hï.W^)B#[+VO]:Fki~wJN(w όKVl=.rcb ΰДd2ə=;#_Ƴ N{w/Cn㹬 =3~b#Ș*jsVM}M՘Zʻ"]Og/BYYF+{OF,#?ř(m^\~ZG޷ypZBNgs\A[gϝ r&]- wpsb $Ӕk'{Fzƀ4 ĵ=>(ښlQ}i(n%3d6Bj_J+\uHHj~7yD+!t ȝ|so=<Ѳ'~j 8z69JԎo< rӶ^W\nsG/7=GzvƏ\"*k:]ﹳmdcH9ívNu/;\rγ}! .փW#_V'e0\w'C}@xEIlٛe!#9%ZA&Ɠww"vBbCk~r^pYs2T\I`/fe}D\DM6Qs2ave)3XFsAz brƠ#=aT P.mO @pR;@%7a[?V˳jw4Qſ> stream xV]o0}ϯ<cävZ'M&6U8"0_?殴>{<}^\g{%[m=Neu&,~$lslC!ʻ3AZ6!41ASSCV?XoP 6^؍a2܈;/Nf1!ذ ;*+? I$ sVO Pb' J`C]T-^ŲׁuC'1׺CL@D> stream xXY6~_G9]+(XZ- (T錣_!F?u-ӍȾހs;HQUQ8:3 7#v&} zA"BZ9ŸjWk3 vY;J˵ d f9R]jIQKp\ ]T>Z 1@lB}@c/+N8PT-&H.cف0e]~Sރy%z&C( g3G(gn'dƉoy@/__\B) #77 S`LsBm_hs]9$+~p37dC܁ * Ag5:9$L>}U5P]h.;f*. L>m0Ec6qeϺs炋Q Mj)3je"M@-/@G @-ay6 i-lnʽbrox(+(Cڒ?D9/ p$"q'f3ΧΛ|06E~pe=̏RVU݀ (A #Uw$mM OƜCO#so gz(r`MX_ (qeyKõе3ohrf:Ha$%LSZ9UGda3]Gmzf[Qx+kR|POfGYfu/ endstream endobj 5355 0 obj << /Length 1263 /Filter /FlateDecode >> stream xXKo6W(O=ǡE@-кn7l& K^Iv"y?bI4ř曗pp7o) FH0_ "E0_?lU,bTY$i8(Rhy-Ows:mjЍJ-vcW%K6~:\ʿ_ ]|.N9h 66Y4R2ųP[EAa^r_5x{:C6EgF } KVrN8` &|!(#eTž>Dbo}?3&xZPz;caK֭C{izyGݨq g"6 *Ojݡl#G 7̮=6"wX2"p!o5]0|'ODMI!] u;t84 Sy f 1 FHr~Ba8xH_5mE{}:?+͝LK]e ~381p9#aׅ޺M.]$ B!9^Vv vcYJW> stream xKoHhNX  sÎ&+aV-E$6η&C<`w_Wqߗg8Fi` $ d`y\ϳ.$$5?"#S3K]-(՟u[DT3͇USoͧIMqv2ŝ⒒'ԸVrb}STMR30KmÀN <38LLD9 "/v:.aX}]'\$v5v;Utĵ.Lf*3nda8%n6zfv)K?4hs춴vNGasWaȂ#q&(<@$V%qҰD8$mvS-+e+ u"bU@hHIt[%1kWu=I%Jp#yrn-kvT#E*m}"H.M-TeX^&8¼ϧqD;7.x$aD o7Ak%/u$4 0I'/AD0l ؋ $gII|[&`22A]? ޮ@ ٘h n ot9UZDFKSD&JH=+Lc8/|YQdO޷2tpTapڑm9FGwUtۮȓSTM01fCﺺzQKuvɷzAQ텘O`aM!4k/RYt{*dw UϾb(^@#I(?z!d|%FRpo󸼅f9'A-q/G6+Զ׹'B1{`MK%_4,݄kޞ˟PTᚷ+:]a Uk;ʫFA2$,q.xJ5JG5OKQSF\3_ 38 ,|ßDfP;N"SGr;WOL рCu1Fo/*f(WG$ՇegnJD9eYJ;ЇomQ:7[3Q R^BLOOμ8jGٿ{ endstream endobj 5367 0 obj << /Length 1442 /Filter /FlateDecode >> stream xXIs6Wfi"LgzH'鴇RCIPxF2ز\E &:J?..^'8 ʓGU$H$ %Eeiطe=4d)jJĤهE}fSJ'E=~uT]V-[TԲV.g~P0)i40"q ^RFq rMɵ)V rmoYӂbxIix_kg ҊDzj6$N*CJzʉb1 1Hӝ8Cum#S }.CńScOZ\_McFd?G"5||[oY-7- AbT3d"15 -Wjuע۷oe.mEw48s08G>1;4a$̃ۮlD00ja#YRbb"4(fQrOPxW.n6a}gl(H!P¿ ,u?腰Eܗ#4L5(eUW-)DnL>Jk|alf䙬kՍ>JǯBAe8G[E>,.VMEؽ.]ܢr39rqz{3)۶. З{՜J'COhʪ*=hSHp?idj0+ت}W|׆'cLz3K+k{<~X|8V' f]y&AoAri%(h%(cgx > stream xXM6W(k.? ]@5CMdɐf_ߡHڲ [ ˊ7:lLD@0pF*Hha.24~`7ҀpxLM< Dd6 Ģ)!ThHʬ̳D)u7FKoli"M9s!M41Fj;ZTeyu] k󪔅},MvZmw:/L嚾VRM7|C)E !0`Hpw66jH-F5n^BL8 p 9Eʺmmsvʅɪ_asYߟ,M.z+5oߟhz  f(z;8a:ͮ|co#_VPu[چK'V %fi5QS T;X6eA}|P}Ezd#LC[cݩ|^mhMߝKwQc*d ?lǹ&qpVŭ8HEH{qB[U^ȏJop!߯5YE7Ggzs}Mf+wzcuޏ^~|vl+_jC_0Y ?\ry6*iwWE%͞ #lV!Ky2b#~$w[e-G#`6঳MѹK4nXـe6fu{˼ҬR1C % p"xH(_f6@Dl endstream endobj 5263 0 obj << /Type /ObjStm /N 100 /First 984 /Length 1920 /Filter /FlateDecode >> stream xZ[o[7 ~:`:II l@d YHR(E'iW(Mlj"g9:*d9վRxrvbOXŕƓũ#U b C6vȍ1 .RQE3$FI JmbW6=+EmJq&@&[AMRAeC#cGQn+f}U@Vή&Bs(ն/68P y1Fp JĞO[͚f*q4ą1FMhqMM0jj8cpLN$$A5'I l˹(NJ0~єGPR([ aY"un3sm|f6Uj|X G6hdHȜm.`k@UZu9X%oV8Af<&W]QlȕQ 1R +܌fЗ NPDT_ʰCIL 61 R 쑱[b-:_)U۳449.@RD!!1g-;-'{{S׽NݶϿ\^3^ή/'N7ݫ>L;W' fN@B"q=(]=^d 釮?]5ߟ>̄U `¸?m[GoY[ϖx >aawp=;?X;x[wjOno,6iffÌP*,gXm7ظoӧ9L.9,͝gFxARE̞*;UQ)6GFf_$ $4<+Ld'` r_Tk.q{P0&ʽ[4)LDUZ<Mk+Æhnc"e^)˼mLh+)B Ib}'y̴RPŨJo}'cT[`WJ P~EE4Z3& e躞/м}xQ>^ %SNhZhcP> ,+L,(6AF,'6Weہbb žݫҶ㧺lF!f'nʨQBH3ňn%g1c9Óx?gƜʄIUwB"Ө=+;`QjrqkWOqXvAp`ERpHq{RVtB{6^Xꎺ~ޝWחguw1;BB:L{Au@0=}%}Fj|>VZ{"ykLcX1v xIȒH&d mKfH}VO8#N6 MR@AqI"J_SLyd/Y65l.MP5 '>M޸&Gkd5X$g Q7M{^ H+LH5bm({ ,`h{<6XaWMū7icˀuoXIxFPDGIIG4Al*HRm#3zM$MRa 3s >^YlF:du*fFaqidkcցpYY LgM_{[=̐22Huz[`6ReZ7d2\a;cL |1ko[5G9fZc܋rVy 7n b90TF} |aIa(~z{G l_H&olF&*>&r3AD7VToc&&朅M B8 endstream endobj 5382 0 obj << /Length 1271 /Filter /FlateDecode >> stream xڭWKo6WE[X uj4E (ҽ5=zp(V49=>o_޽yA@r$R A%I>;D*աL6~'1KM* xˌugUyfzi*Wڮ+CK/cWV6aA:mvSRrN%%DpWXmG" ʗ4cY؎N}TG<MH}Å: W7Kn7"ܑ-lL9kFdiH(coz paY#2Ǔ!n8ag¦oz-Hm0y*{%oc?z?d{; *Jh+3:4{zXH0r$Z@$#Ѷj$`x=R5#):P{d*j?ffHCgǣlOTt0¼L{@wGU.' "::kSwҦ4 :!y.oP7s3chc?֜~5L =3*o=7Ō9*HI5!Z,52]z4pRJ<O%.7e gG p%#oDz;y-W"FR3ͽYPDwFwuE·C?E< exͼiR$8Ԁq{Wڼ[,!Cɢ,}_<(PSsfÌ2YOәV'ʰmɥ=t]'(F$ L3~[Bjc|ƪI8_(ُa .m1cb7zh1N]jГRqbMߙ LTЌ endstream endobj 5388 0 obj << /Length 2086 /Filter /FlateDecode >> stream xڽY[6~ϯ0 ӌnE--Nckje%)n&TIY>*Vue9I,S\ C'ay1IWoD"(0\ώX}]ec#sregf]\"N8Hf S4ܬЙᄎR0\;fdKv]?#!i}kNiεC4OSY~{XafL$ d| μ9_lj Fjڥjʈ0Vr :X}Z^^Yzi̛_>1G_6&/=[&:q;qژ6vwveЪ:" $s)5eU3/kCWzgr@KđAzag)IZ#,Nvw];m dJ7I8wF;7n6H\_3qف <I|<a?f-H`RЦpbGaڬ;(A}n?TE1Go ֿ=݆rKq;F=%41#eUNEvl6S#u'T+ݦZY>_k3N=U1"t^fA r7R!ճonrَE~3Jr4@aqII#)(uثfaJx]yYFGٜz؏=kXM`4dk_*Yi#o=0ƭ)Ш8^/7<ĕh4Ben~d%u_XvDreFt0G" Ͻ0;X~Vj=DH}"deWJ5:)!ۣ(ߵuݪ:oڥZe GBLDА5UIEb[SX<կ_}L N7mk.Umpd0ڮ\t=&PeLTcR`1Q'&/#`R$K<ǒnGG#;B^62R A8s.; umZ /U(X'ailJ0R?Gu"*-%[|~jan~23*PPtv8YjJrGy*HhrJsik TAMN|+M\ Xh[ꉈx^jzQf 4w@Ocnal㶦$idJXa3J^{W9M?h$#J?LSߡE`(XkAL?t`Qr\]<Ä|9ipA(2慄3NX$#Q|+K[=B?3xӗ6ؙ.˙ '24tw;F6yXEGZ MJIΪ*ʦ ̳:3r<3`#^sXS뼇j+/0kMYA$Y!HTY ,Ć }iP{ALc^-Af RΩS%l1ccN gE>O2/?>Mi ~ `O` ;Ss~4}y #JF: 8?Y4=4i, ӞD+[ |IgPfRB=Gع$ 8c:D3l @CЉ endstream endobj 5407 0 obj << /Length 1404 /Filter /FlateDecode >> stream xXn8+˧Ybf1ԻhQ$CR$2];uҠ+ E9k<8ͻ g$Xn N"Xn;oUc!"J4\Yi|U"✇z8~k4yU6f,7y`uhVX{"ƶqAPb03-u7 AToa|ݙQ#_1Cd yD!2sY,"A^3+b0ӵl *&߀&&,HK!.w[_t ZEUMۘ4>QgK83 zNhUwzreхKć] >3$hL/!{V.AϣMǼoU]>J#%f!4|r2>Zp@Z[@+?LL϶y\raZ,yQ:Yn40ŒC7DI#p uJ$: !td[Uy.ARes/PEjoE6ctݞPY.+wUG۰ir{=?*>'F> 3jIq m&iEOR ,dq6rwԶ* #ZֿʵvՈPl4I|n*IlW0|] /d"S֋$GL\.a ₽3082Fv桨VD'Zy{hO3 G^F$]p4~#;dLfޛV`=Rff?VHkvW]`{IT iN\_UA%?^Bq/r񂌇5>Sv+=?/W6~B*1}%ii8퉖mZ@ endstream endobj 5420 0 obj << /Length 1649 /Filter /FlateDecode >> stream xYKo6W{5O=E{mXv*!QI w(zr'@$74^x立OD,F Nj"1\,6Ao.qOqX"+Q$OmOUm7>ϔ^8U.ƈ}=@^D Hg.bnnB@IД'HK~^8AV,W@ݥV h6(PHSlk v4ZeQ IbL ]z7۬>LYָҷx@bR*+vV,Hʐj"Ga)@ƼxE#}3(s_kbI@}4K˭JaF\֔^+9bCT5UQ#]nE~WM &k742_K9M:K2RxOgEa(XEρA95XMTyԪKj/:Xbtƈ5f;+RY^`*+  l !&7n.+V~\W{\ByAB zX`#' beL :ӦZl'%^9j nUZuEoF .~Z!j#K`ӥ$ hi*-u ZU$ 7\G.?:VF(4L6OOBZ'a௭C&U2k Byuc( CHAj9%y?hE$ӹzkaўzժ1AfJ [iUyƥ5H%s< m<6Mm4toL3VBh4轫f?.|gσxJ:4;d'vt(D{Fh4Ĩoo<e[FFqer`g !{KT3IzDc*5ٝҺe.8xDON㐣oڠXfp1Q8aJJD0\%| ݿ¾/K!:CGH8NJQ< i11%0l`1<"ȶGK ϭ}p$q'.L7u&ZD)N5H: i slņuTC `I#ޟ7' b:{ zt&}Os$;U5Xe4ÓaN\=VM?NxV~:F"u]uN;tk $X7 xh" 1G1sFU:saOƧw_Mo%];.qʄ œb4u[+soǓݑ$|r(rvǙ1=k2J.j=(7(ۇM!ӱP@Dx&f- ֔̇G4&<ھ=||$}{4uh'G_J33UDE?Z<{} (Mo&Gv H3DٟL. 3"1`C1k4NU?fϮAaG#ǜ> stream xYɎFW9IHLr6c (% ި&Z<i8^_UzEf'zw (9ܭ')8Cjr?m[lgsؔ&h6OlzvSV-/ofs}UU]W6ug_]kٜfӥ z}KDh%,Ӎi #z vJ8\6 d0JEnW?P_2.,a7qaB ?\)LK3fut?P[ݦm; ``NmgEg_֍OZ[B#FH9}z]9˥ M) |3QČ|%v.8Irp!oڷü0P*p*ML .+ƥ)B9K*wX_Xs̆" wt)"NYtCmzml[$I#{>F{mЮ=:r^_9"ٺ;r<0]@ȖW:?99VU(w/\;O/˨ Y7mirRJmƞ^Q`Yq h=k6ᩖ?/򟽬X:/}.L'(::c"ծ*]8N/液*w33T;neC\KM=KWŇJVSdۍg$}QHڞ>؄TjqQ CAβCHp4 g:AÅQý¡AK,OPFlT|0h ۤ}Ӯ}lA|F]۔u}Dxz/JY3miۃEkYldQͿ9'JL endstream endobj 5437 0 obj << /Length 1483 /Filter /FlateDecode >> stream xXKo6W9˗^hn ٦lHt4C2)NvO)>3|ߐ8ZE8 G$.F)q4]D3l #"h0JL clTj FM8E6¢mFڃ%|/L/#Ve]k h_ts0=ؚ!+5vF׫G,A^ۦfC>md$4=2وv[I4pG |tC[Y>s)f0is Xxy~. &Y ͬ3CYňĴgCevWʛ] )Y2.V*u<=!XEvWcZv`kx$ilz!ׯ%oBB e!LAO]юh&- J骄Ng>9ю0QGX2+̌zzbaz=mR<^rή WE,3=h/}`'kOAMKy6<;.s&^>TZnbEw7IR:?_zn]-;4QU~}%hD3rab6[QJksLNqn庹 udZE4NP!?S{UH٥cvrD(A"S(`/j >̛j[k<#(aIG(0'db*w;{X ᧤?p/dWxS(B7> stream xXK6Q"U|HrMS HlILa>}g8-yM'p87:HW_9xgOmx%*FPuyxki^vmy{Ӣp پ{4U{M߷YE,UYȚaC=Tڐ18ve*."&4%o!JՠE%I]ێf%\lh\W;r/*4GS@"Z[0p?k;S¡^\ wyM?jL^uibw%Ic Q[F%8fp\4x[̯U̝n[S[ Bdz  YN@Tc`5ii|h;LԲch}Z "F0dS0u;mbue{Sb~i:)V`J߸ yh-/:Sk>~7QII/'Q/\@]ʌz7ԥ1w m5Pw ɂFR+ [t鸲iꇃ(DPk|l-NG{wFts|Wa2:r}x.~& a* W3Yum}O:Õ")%$ kwa0b&=R'=X3eqygРdWo+N˜wXMcw%X)iGzR5:|7 h!A{t -c<hwqh:jA,C+p>kxdD#R& x+nŊgߺ"rˮC/>BB'f-DdgYpsYA0B#0m.w^|.(={^$`66q^) ߘ$cJPL/W} endstream endobj 5450 0 obj << /Length 1378 /Filter /FlateDecode >> stream xXMo6WVX3%@ 4E(6.z],U$6ɿK9IE{MQyo N}D?^|< ʓG](M20m}lqE?"$ Q!f}iR$ExƘf8.J W,Xp{Rnt0,{Zƿaƻ%af< n7iCh;$(%4,uxSDhSS^jJ3s#׌ #=QB`~b- N$ vοrlTE'[NI4qN5eN[U7 A4"Qghk=>$<&,A8!,цCKHK7/7v^ Rˆƻ'a-e8ۄuѹ{T8rǭpZc8,tSqoTwU^'ę8+UU ߌI}#c(Nˢd9(zCS=x #=棝2jdf}֍&ool1y|nDav5? Ii<˵UoF7/l;#g4ASSl )R-Ż[*-tmnBnȋ -%VVQת{9&MUm%2zx 0&UN+R]}H0 }?TFnEVU;Ԍp^\݇L[4.e&^u|a P֛P TJ6t_w;Pu .G,B>̫;bSqjՌAcuVU;cVSo'ұfkz:0竔xRY,Fj7bї,ӌ(L%a~*ʙn. \M>{d>[ =I;ۃг7[ɨ,i)mJ^N+=z04#H?sxE,Fd 5ڽ/r". :|m̑5eLi >;OQ~=کJ~*e[X\=uuc}jc9i{Gڸc@)_0-"a{7ݗ endstream endobj 5458 0 obj << /Length 2104 /Filter /FlateDecode >> stream xYm6CdI=k6"m6QY2DiwoH%QKXI3}s,{y6dKt2w%]4Ushh^{Zt2K귂OI$6J>H]i0Qm_V zH eGi3NLbͭMqRI#(8 ;n5ẽMߙ[@2ws4BBOe|Q̪ͫ]%w(\\~Ib>RDUx$I2n4ƲX" ` uP:K:b& ( fNm!HTxhbصiFg*8(>^`>k˹GpX]ziа{VI1#& VK]{<<q&F\r7u ix1-Aŋw| Dy̟O)%![)OH 7WBGX_y ۬<)'#O=1 ޻1!1)&$hjy fx&GGw}eG,mIF$Y=|dC܁8(b[+rEY{VEs3Yg0 L}nNB襗"=N=5]JG~C,)"Vmq{kyt@M֘}shfzy q` $jH'փL*3WІ̘*NT?q::\mЂ' y@Q!ɩ +z9k(04^.W,N8lʥ'Yk(wrN_u_IcB^<N!vnROf' Uj~k2֓': "%LSePשvݨɇHc8t(bNp*P BiT)u qfhfc,K[¯W0iU.au$2zK3m?޾C2 1h RyˌW[eyffe}*⑥^t@BU`f*G0[]̻9@'$]kj ¯ 4#sU2YJ[:kƔy|bEt4HDr?3̏URGOT'28㳰0j0&=XKE-OSHEǞG9\"La_K MY! Cf8= KvL@$Pg5.<4JQ=[L_?<-yתIfH'>PեIނԹy>*udٝABo-i]ϫ+ùIue2SdTK(6=E~{@ YMkJ!uL\!mݾ|/_|,g(nE7l?Z7ϛRPv^=naWhg1 ) G#^}=^b2Ox{ d6|y7rH/SmsZ*^>krpMIhFF0Pߋ kGeN{.~rP->/ln  endstream endobj 5465 0 obj << /Length 1661 /Filter /FlateDecode >> stream xڵXn6}W-ڠRDRPM"EjB_rdqSK6g$׳/Ξb2`IM, rI' .v0og yJpwD"sofI.۲֟&Oj;hFя%W<"RVнaY^CDMg> uI+?^S$)r\؃::gp0EqC`2TB . wcy9 6x;j''1P #Yo|AeLgG=ojJS5bi3t2%w(sq~Ldb y Cڀͼ\N بNU}9 iX={D 27"Buy $Rv4~ l]Ỽ.~T][}B* i$4qݑq\*+}s\|8;I:=X: 2u>fš2.f]bnk_B"Dש4ّ qiǹ7l98SjzRMW}i}W9_@H6*bJPh,ud3= Km~&ϭ9m#|Brj+NݤXj)x h&}}ateVzf/`PX7i.ݦJPi>)@^=???DwXsTO=*# 3u)zC&MWmxlS kw)s)]IS\_/J[{M469vƘ)-7!+Cz{dO&]xy7 :Бβ,(|B_ O%_. endstream endobj 5469 0 obj << /Length 1485 /Filter /FlateDecode >> stream xڭWm6 ~"tkI~ (V`(: >[u/˿)JӵIOeJ"p W~wg+yfUfAūjz[׾i4VԶE5G5}_?w_c(fA"UnBʷ4IڪVu׮} ﰕzyzk% ^y\DZWuqȁm76m,5kzŚgшÐyd}ddeNK;<`T?(-K[}&826~ /0a7.@$JЉ5ămѣT٠Tc/_dO쉻$je.xih+),kmEiݺyI$rwMW~^1/.ou#IC3{@<_4t=8{CZc)sBaS{*OӪz0DqTf Ph7]' LUИ4r z~+tdP?[dk۱yd #VǽW-Ɏ S&8qF̂ $l_OCWp)5(=N[oi[kG L.2KޔSLZVS.Iu*TC.od'F%gCWQS'B܉P\ήH㰧V-&P}U(\uI~rD( ",M0i<RZ ,Qd$ryfT+,6S'2aL=+ kζ0:@tb#4F(5̑b@WT["rl/](z'*,LO݅N <S|0üjZ@3 ،MdQu)!ca轫AeShL!m۶}vY,n-8:/l\,g:`D<.H*Q{;6C/Ի}#w~e=]ID> iU+gҙ!a=dv-O,V6-~BznۺZr }b9'QS;|0[Ct$5'p USȢse~3_/8үhic(]S{;-> stream xYMHϯ, e =[E n(,cM~VA7nwr!c^zՎAu(8C&HpiS<ኤz`I(aW%,xVO|V8ʲ fYo2`m3"Wm^\/g9ej`L~WO׽sv,F U4ت'a""|C[w%!$\Z.r!O1g?UȅwT㎌tW=ok@Ffɫjx2`S:m;sF@QH)J0ұ/,-%(wP=I/(ɌAvp9<> stream xWKs6WHeL >rIg2)h 0Hlg %R#;=H~ Ӌw:'Rgpb~B;-b28q+i$zUK7עMNzGؐShmOW]@ .^fRݏn-QHB^ݴETfXYڷ~˪Fh5/ޘͮrmƙ(جhx p֣CBŶ̴JQ(=a3jȩjd V|ke+XnfNHYv ey7% oKAWK:60F946 _PF'覐БwA ħπ6CN8(h@xع}SWZ(K3(+쮗e,wu6!22xt\2n%sEFޤGeU; i,ҢdLZ +$ݪ 3s^2f8@"UKH\0ZܽxB37̒f`Szpzc> N@zn&PSedk?6vp+.abSr=BMwmTh|hɰD lfa}n 0$evko_P{D]xz[*3)i(͋{'`PIct*;IK ЗF mΪب|='fBt <{8K hr-Vfxp𔧅*,MVawZ6el(j+cHlfv>tc؜h8`0h;WfZVOs4ngEQ 'P'=1aq0Y) "$NSwMcz,Ozbj!M׈g7GW46=xz7^0eV6,> ˃14h}&7ڐWšPAzvn&뺪~x_VJ(#hUc0B57 YY\ht;rxU!PU!"w|# [Έpa[F!b}(f5Z ףGUe5кHCХ 2Te&wJ4\2Fܮi.3tnUycD?/g ]Hz&@ۋ Uq8~Y`3~7u[B1og-nدڒ endstream endobj 5379 0 obj << /Type /ObjStm /N 100 /First 979 /Length 2227 /Filter /FlateDecode >> stream xڽZM1΁`l J$`DAc]ο+δݞX,jd>^bw*'$.BMLB$$!HR" iI'o{܈1IǿFWZ2oqN'cKq ?IZNt sNTqL暨`~rĒnPS,-1X{bP=qĶ]w!qb7 cemT!G&e$ZHBgm`XKb1 n`hf!lYSqARؠ6r;CzH{IQlŹ'0k"aXX%|d5V n{L"Ɋɸ=h!i\j2)XC$fQJ> >YjES!D`_cŴ&ÐRSĐ7Ć:Cx4+!!iVC>! &#cbN0C3@XCzL w+yD\ PzbyA!KEk' 3y}Đ"G.TZ#|#jj>ه`Ī%@RgϮV:]^}n^yS_W[ƏՏww0e YM þKϞի&?57o5˷^_~j1[vv v?ֿ4Lj #|{# } N'Xdo96{\r<`}[UapQdٿ=t£,>-{ns-s`MRX9KoGǃipԟHѾ ZځLru'$$$IIh'a^嬒;P>;rfF=2W9jB] P%` 胪 湡K6Dy> A(@ 3X%0%`-kZ`+\{.4"22R ɹiKƑЀJ6T6f+Kj WBh"v Ɵu;jH l )=tIRhx HC1|gG)h`&(^s,PFzTp Iel0E_GPh8f "YADKs.S}fBq+ErSSߑ'|R'&-8 "<=(3ͣua/Ϫ 9Cū>Łq!H8kA.YajjtVuTEUzQMsc*k9ohW% ԢҁuT j< P.zɗcw$ǁ٨ǻ^,!w.C:=hiP=jEii$z$1,FXAO0ݦN({칪6L>H. g9O*}2,t SȔ&h'SGkH?Z£ïRN!9c\MAӸ-JmџǍ%ځX9P^qq4n $q<!&)ߧpIO_{bأ9Y&.D 5 IV7Rn}3QDz԰ڥpEE ZT=!|;:~ЮGkZmNp]8Ec;;ݱQi@} ۠zߨFP۹h3 fDRu8ڒ+&B1%qZlBBg=XsXWvVکH ٲoJ Q <9eXzgf9pR lTan' ڲʉL<}8߯~įi~l?t}?gǵE#W@f坙͂ݥ~/CwA<[<8$wjXCOe0MOmB|_MJsCTd_PF\ l$70.TS\-K%Aߍpqv2資8w"ǽ;M5.tyM&PÈwasO?Q$w endstream endobj 5493 0 obj << /Length 519 /Filter /FlateDecode >> stream xV0+|L*AVTiSU!b&F؉vv(NI^0ycF}}NFE@QJVhF }Q!“_ɷn>.AAǔbF:/ Ơ0LK9i.N!95Чg:.y c=|b`K)c=nݙ+^@bU=fY> e!KiYIJ\tRb}j)sߙP\ z q%a$hMx@e'a.C~rN61g=ȍJg8hckm"em1qQ,{[d:mk?5p;2D'i8g]|ZdʤvE?镓}bΩ]_Q΂/_5m:]YӋWe *đWOߗ-P`1X,K U!|%9\kC'Ιb~`wf;DsERn`% endstream endobj 5500 0 obj << /Length 1539 /Filter /FlateDecode >> stream xXKDWXN?Hnĉ"Ezm?F'{{iꪯzxx~w{)#YJGR.I越~>\De&۟fY <£D,N>$0cSN6wϤ@HpVbQ`SEqQऔJI2e@  gYJ.'ڨ8ǟpEǖ6zK޵5-U=,mM'TYOߣTJxIjmYNӒE/$DP2}v3jgϏvfxD<}Kk&X Ɇc *d`rjնm]1<2 ۣ,Rf2pSA~雧vWʌL(z,3~ LxYlc[w7 S_!qF~! 1*4SK<H7-t|:Mtq&AĹCO򸦗c>vmg{/x-9(VJ۵%N3| , isB9S4fegC7@J@n a(Y{/rGPrI_% P#+)YY"&2e*[f<@2@y]ȰW$B!0Լ`y\{5%m %.{~j! 踖]S4F:Et7cT4W!b!o6̴7`ƋdW 4CCv/xMBl\fb"2~G,;-=侠ʥ[7 Q{P6:=[`ǵ;uW`Pozk14]BΫ NpKeX܍RdkX*>ᴜG0Y3NUv+0C Q|/CаLfDLgIXYÈPssuX* c2T,@X -h3!g ևhWδ0t.ghp.~@L鞇yU pWAcETxf$MD|ATsZʡ'Gʓ 9K Գ#̰hweX/mOrw\R/!novݓɍkzr)I~^ }޻iX$Z刅 }Pf6T$ rTt?||&u!{{jԿ$ԓDZt!YѳIpWi2ҤfX[ as4C@ pyDGHnE6gAi|܈s㻲/_aH_΄K8#}e|q%8hrrQ.r' *7U%-'.n3oω t;!%x(V%? RE* :XֺZK^>r%Xj@$ S3,b'_Ͼ endstream endobj 5505 0 obj << /Length 1643 /Filter /FlateDecode >> stream xڵWK6ҋ D(m4A @=$+k"zwr MoJ(yfMI4Z#"$Y\E\ŧo7^~~/_]u p;)I$I& i\^On4V Vď,}~48ʺaTJ]ݾꚭʱmW nkW7^mkuٷ ڇMFӵx5g6 A QU% M"~(xlܫE\q@"ln΁=_VX6޿{]oMp%.&(e̝ ?E,~o7Hըg/_d9Ty^.r0&t %Rqނ`tYT>ԨH<xZsVA.j,5ӺJ?giWxea˩vKF˃)3Ff74DN E<h(h!Co?\2_ 4gǧ"\PI |D80vN5cBH9 J$T oe DkKsR %XrKB 3z/h GN$R@zAy9؟(%sw2<< :%+E0F1"}]=1>3^#SYFBJ-Ãy{ a$)X.NhWBPk'(~Rsx ٘+xGrIJ]O^BH0߿.0A tR8_c-kBSxr)`H;ZKծ#ԚhqysrFy ;U-iuZiV-ұf"w.Ә<"\`"(񠀇@* wkmF"6 res?@ti2pxk+TeLS~,p؆nuG4s3zrB2˜B1Ao[Prj̠݅q{Th; fBg) 'd;X!}sq8H ;=ÖܾqJyv.[\طgrUkՇXppծ'uΜh"ǩXS?~8XbFϽ;kxxٔfZRjcn/^alD'h.^'Ȃgs;4-I$!=HXGBxu>xN؟~0#}*8 Jծg?FB+7@* ₲4n3ylsbEGr^YgՇ"ʾ"H;n4cp;&w լwXk;9c'f""\5 endstream endobj 5514 0 obj << /Length 1560 /Filter /FlateDecode >> stream xڵXn8}WQbV)Q. lz1Y@[Bɠ&ٯ!9%vڑȹ93xēDŽNhLNwLDe9^1%9΄ȣV'UպVPO/?|P.O)Xj،3}*FK?'3p26tnʮUMiJUtP5e;MXX2mPܪ^YѺjoǾzmIȫ`8}4#gV߇/ s^}}|Ɓ!蜰9wi_CĘJ]:QIg_‘,!H/MPUsۻ`ڧ4ZOg4 d9#,JƾUFh6-AbcFL6*BIʱX->i 茆lN(IhrzFA6ﲚ|0Un0rQLTZ%=v0e#dymBay-(žVHJ \:PJ#bSaq^ЇwfEOj ЪFZ}iW{]-6p/mSۃ6C UjwOɝà&\x>dlRe%ȍTݵ}ZMfR_DZj֦Sg<tU 4v qKD|JwUS*Jn$YH<0H(ibg8V"EkVu!>Oi'[+o?Ϝ60üR[Wcey 8[ھqBבֿATvZܹa@ֲj h,$ I4=QbiNr#9û2 WD.HV,Y\aE@a$D0vSAhymHK}ooh`'1[Dv!no֥$},|=K}CHJiآNEذ6uw= <`yBr^,u1`rPڃ- WO583j4i iX& QFXɹ23_wAV`s)}=A/3p9*hI]|N4#1?m^/sP? \c1lgug%q Ȇ#ri_3Ή'\f;/Dbܠfc];eu0=~nwg\;{FݺTf|öUQ^ĥs^<J4!D1 T ؍LL`R˻b_cVzd#y. zE]?MsFJ5`7n6c[21"7K/QLsO3p`Xz `q1;`6 #%OzׁwX 4d|pc1Gυ"L5#٨x̉ȅY8.R~Ra[.lc:~\P.I;W1C/"˫5 endstream endobj 5520 0 obj << /Length 894 /Filter /FlateDecode >> stream xWKs0W0=L C&Mgzt|k:^v4(#d;0Aݴ'$yWۇka9֗ltsbu@脮5[>|'Yj}71:r=5AqQ>`8_ejQ}S&*xSRfyN7g*%ۨ8Se-GZ7Pc!p=}6%؎Ʈ]j"SERfCv6vm/9aɧUAP>>2AyCYZ<{AcY_.cٮBIW(.<&qL;P) X4H\5ȈcWm"Ƣ?BKn$Oq le|Ŋ: yF{ NӇXF 5(?JNMr4*&^=:.ʘsZ!/i3%]gKzu(wV&c:n$R(n82xV惌Df:{$/]4N^ *lJδ2!edYR{*00B@[/lUiOp՞. KUvt%`ЋNEO;'c`o4cziHnф Z4ZK*eUs;z@CgJ%V.2w R? 鑼uI{:|k -+uHsGBA^u #cmN \ip.Y$QX&#̈f3<6N{ak#Vz~czsXHNH*N<#d4a4^w.Kj@@Bɩ4 ;rq GnBѓZ16OLT3+ϳoJg endstream endobj 5526 0 obj << /Length 1641 /Filter /FlateDecode >> stream xYs6_݉9$}C;w7՝v&lp$ˆqO YVjx[/>^z#~d[o{IADu}^T]rr$b]25tWVy'FѢn9˯_}@d,7"ȏb㈈UWd|!W0U ɔ~",Q=գtix2 YtqїK`]HͶ罯GVK&1O6*oycfi4(p4J|"ڨPKd$,| #6Xj[85])['ӪOp$@JE)`=Q]w jr(Hr- mDe, Yvߛ&Δhe[9L6Vq\z )/К3 7H2.ӝqٟkFy+c-]Dieލ vc3BT a,K";|2kL -,1+ a>Se@>QinYχLkl1|YkxB% g$tHbѯADzhlIC__P endstream endobj 5534 0 obj << /Length 1230 /Filter /FlateDecode >> stream xڽXr8+|4[l 9lndj喙JiUL۲$cAɶZ_U_}G$@q4g(/4΢`)~3Hh4qD,KQ$Mq# s=f5fgPR+^kVT|BCgZd37z؎&Q)QFqRo ΂cF[w8,lpٰ휺XiZX'Nji>MNW HsϬMHBUYv'7&CӈwzسNy[o g$+1V7`a]2mzRBt-:Ծxau Mp ePm1' nb ;< ˓1?Iks M|d٤gL=ll2R 80jNՒGWCsgΗ{-;Y\pPkجύt(l K4g[RˡWԮ>cYE3B^Y%^ F6$e K$t 48Njycok_ gm. 5[fX Me|F(Kܤ;â^{%FN2;5o"YP/c -WE%=0-.(侃! bVBlœ7keOz&Uqmad>P ʉ2^'XV;F^99R a^]B 0"]Nv}l8c2p%AkG2+ 2 3$Uf+@ 2$QlcÜK۫۞m"W4a_RHVB-xq/PkZqIp4MɥhU@uHPB-yS6d:ɩ 7(LjlyQ2k endstream endobj 5541 0 obj << /Length 1530 /Filter /FlateDecode >> stream xڽXێ6}߯[l`~I$A (}h ڦ-veʥnCr(K27n!933`w7ݼ|0ˠ gwY$ݭgUd/Xxqϣ_xy^*j$[A[+l)8->m&igqjYU7Z2yIqϼ84~(ltԍho͇Nk |sify!|a_ 3W /IhZ5q`|kO/ c?MU#\Tr#[6ّ֭6WO+Ai j4[&c4:FA=K}:faBءb5.h ^D6v|DoKg⯿3 sq7aDQ1'} ,F_?ZvFljR\9Z6\EɜY+KR7! ~[OGL@``ԐANCkk:5#4.04|R03~CX E $vC >$,\\nwk 0Sp]pO0U rq3|U2kJ0j8Q'';g->+Ġ R@BcJˈt% ָYt\AHZ܊}Kl@(tevS0_پ;F\ W: 6=1, ]5y G7B,4yw."P(~yTH)hl$vԉqzz@Vy}66]܇uvkCqo]بG|ݓd_b&eieܣjY3&0}f[7ȬAS7QW]m3C]7[ۑ"l 9o\ͬq?LB? I3m9ɟQ}1rɊl59DfϨmWB[BLɊa Ss;ylNT*y(qo_R#?+Sd,imx۳˰XrvP'=wW]8gꈪ,dAHkm5xih ;۝}4o <f0jRKb ܽ7Ń*@wy?$D~; 2M# \J1PdOMS3 1TM!sh""6in%]k_:!A{J D j`^Ptm_X|{r/;)Uls-ٌI;*x^ RjU5ͅ}ظZGޑQ*">{l@ endstream endobj 5547 0 obj << /Length 1371 /Filter /FlateDecode >> stream xڵXێ6}߯[b͈)Z Ai>4i,^wxuzw]DS3ǧx;/~yy"X`oRA(?ٟ7ydax{:ag$yҖngMUӦiͭ)@1I^4'~r9Bk5fszaͱ$Fq`X I Ro(#82|7mjÏ峼lFwT̚YN,.mմ~Uϵp/-(]`.\zY\.^A~1iH(1L|T@7,89-fm>mOt+4(:ofެJ V=`2.ڙ V[^Rz{3S#HR!@9n,SaPmrc{{aa2 +pdwwgtKt^W}wQ?n]!Nj%I a@<]Vh#Bpf' kD`1 H}#^u,b1*fۯuarjW՞#+7\zx=sp.2hr{ EndX=SOS*UbODž$"鄜^Qwn5 ԰OA.8 Pt#& F#>ݝƅ-ݘxuPn^$ Q9iy1$K,Q;$( cuKyD=?IKeZ \!p6 Rp^rh-E拭dBt.򼲩> stream xXM6-2RDJ(4M5C,h^ +%e?aq6.ES̼7o p[( -6Eia,6gIK?"gO۔T9f8njNF %A!u؇eyDl)1\}\ۥ/fՊ䵴o7pѯqxky0@DZ=`qKu UpGQ:d_z"Pbltb:Nώ{yQt.^jiU\ I72Y5tjEj`OuhB{壋 NbIZӠam$u=j0u`WVY 8LmxzB  3`[Ҫ!z2!AwAttŽ/jT, 2j Ѣ$t}{G'6 uSNȒL e4# *d-Bezkh~ +ZU]W-AZa I Ҵr*?@w=6yYS}Կ)C_k=-uw_!%"/"Bۚ(5uzds=ĆLZCO*&.i }ߕmQg_hDV65dd^:gU|6QP)>$AILN`(;G2s15!pbq@?Dd6J$M#|!I/Q:Ք>ӓ,ks& endstream endobj 5560 0 obj << /Length 66 /Filter /FlateDecode >> stream x3PHW0Ppr w34U04г44TIS07R07301UIQ035Ќ 2jA]Cq endstream endobj 5564 0 obj << /Length 1697 /Filter /FlateDecode >> stream xڕXI6W(OiIm)[SMl_)ɶ^z3du\%_%BDT*MiWFoOy0:Dk Q,3GU sE'6'CgTvەӛuV[msDK<'^eǛH&8f7DŽ$+")Z2YJ9';`;%:$*/:yvCOKOj<ZL^p;d7 &a Q lho D .q,-L{خn 1LbѲ+3%g,%"gI*,ױTdʨiwi \/d ܵǮ0 p) h=RVӢd.f&}]L5)Y؄ +,>ɧΌvbRUY d``ƣ<&=LfͣtfO$yek;X; w"['{,CִO `8yy-\r8ҀN\>qLr3}& ԦZ+fWJz^D`j`UIBPUN%j-4Dk볭c 8= xmh _X{y ч|W6d0iO:^it]y/v8y]ۻk8 K*đ'4p̒BkX$!sƳb 7B7]wk+ lu~$…~͍3'44#@D0^~[σ#{bJqHY=*cx"n`n H{K{Fx㗐"aYٳ@4BUz_}}ӷrb;&DFgGP>y: Rf=Y=v8iGqCIܣg:lM]'Dͣ6C(+^ na*dqs_H<6 a $TgaGFk2m}y4;—Gf:ym:w]i$y)t6$ endstream endobj 5570 0 obj << /Length 1882 /Filter /FlateDecode >> stream xڵX[o6~ϯd VEbk=-1[2$9id:M4˹|;'Y/Ňw7Y$.-6E.LzW&W2]yb%qNJz`Ue7Կ1.W;0r*&qrZʾU81=7wV:V5'Dz˩7;Ŭ6vLfBO~NHRQ!Za\E]"ΒtBYLQc;1Q"i׵}t "vzЪSz=S? zmt8;` Qq q!뮬KRkh\DN[(/ɹ:.xd.h k9i`TAG5.4nZ?NPVĝ-K߱cC+6CITGH L1Yȇ}ȴY$_[<[mZl\pKBR% QntSU !HصMH +4]+$.82|7Y:#qSM)e SlݱtZ3p ȨYf)|yct78 *#.&U=5ԼAĠ ys(I,)I Ǯl?uP{w|opٲA.{X`3IP.2M"bJ*-`ĵֆ@_ի\]93:f[ENi39kېSz(5v3gR+DgϹlF7C(oP|*FK$JIs[ Bgf3'(3(mr,MIfЃZ`{-Lz ӧ=wR+D~'3EgMɌ5!c6.j6N(Zi m#|)kGvQ_LtwE*i9*Vu5+{Qu*y}}\xO~~*\Dsn:)0OF yz\ hgKU{KǾTl:v)}dO@t5ҕ/)Cϔ٘de稓PcτHr3@@n\(L琁‘8V z4ݱYߛk|P*R70#Ҏn-0А84Z"տʢ 4 endstream endobj 5583 0 obj << /Length 66 /Filter /FlateDecode >> stream x3PHW0Ppr w34U04г44TIS07R07301UIQ035ь 2jA]Cr\ endstream endobj 5588 0 obj << /Length 1874 /Filter /FlateDecode >> stream xڽXK6ϯ *a$֧uhPW)P3I`vcRHU"8"7o~$A"~nh rJ^я/=pJ~3~ +esɜnt솊{ :P!vg)eT)OuorIxZWMKdw|RM\Jݿq339|v؀>eƉ{/v5kR zU"&]0𑶵5{%# pں||^=2.ږhrg܊NpK emPA{pǡr4Î'69RO8ߵλ[ä=uH>Bon\ ^ʟRA-J23xЇ)mm]wNXN[{C$$.rP khk4==~U,)C$E\&rB%/19a3Q14{_Mܢ6,UPu&9ow`wMYE!7WI}qsO7OO!ijGr+ ӗܷܱfPdX c)> stream xYێ6}[`;d- dȒ!ɝm *%_vzӻȋMbbJ&I2;'`E4}'jOV]"f&;w&"^SIuTݮK/=AӍ$9Z~rHiW^d1l`lr Ot&ۛ ,*3!%3'hy-ni"z XJjĞf ٸQ NHØ=ݤERӷ7Jp&/@2"cͳ_ݚRp' f`th`P_!T_.qiٷys{0>vͮ?B]rW}smm+V9Lcž[WDL<9V-->687/ᡨva<׉@6 6r|] <Ϯ ,9˵ *T_Ru-fTG YULslPKWTv_98 X6C8&%_~+maY+FeGO$RP{Vb>9[uP}yK{PVeHV}xoPm'8;&sΌTWe=f7 l[[9dd]~")mhÔsch|DT6e%I=^cPh^py7= 5Kgpy`p'1p L4\fN'Yz 1?`O5 ѕk,'|$= 7#ʺ>*{\FgSH6jXYTijT t*A_$^36%ZN_WG qU8Gk:Ҋ=x:^`0D l5޺UFH3Nhydtv09O+)8ir%SN+%'\TJSaw0: sa%7ʋyp. pU/vP6}3vp6E,\-%5#fp+!읈wn< A\T98IG{E?O>p` Y3[68o Z4Vx:0ӑPv]詓;+=nUHc}0p×W,O ~y3);LIçD_9 M ]A!^~/=fp7%tG_  rsû3[}}ͱf9|BDf_Ep"RA#Z[=-1ʆiy>^H8wWS79 endstream endobj 5490 0 obj << /Type /ObjStm /N 100 /First 976 /Length 1816 /Filter /FlateDecode >> stream xZo5~c[ U $DD}( UT9|͖l\V=7Yk)Z(K B q.h77,d5Q0:-^9Q(FRC-ɟ( (AR#=D)1D$߃n3@> Qb>%e!a&]+m%NZ`)0xV\w9Cj]ODJ`SU5p*+%9Y(RKD*@4w kHpߨAxZPT-H루M x2(u\%Gۜ%(WG @~ zz(0RkFn-)u R'F@8|J.A5Xm TӢ#7<7t@5@g):@{K궀 Qf@b"(-> a[/:,Xa%g%QR()Dю\܍4n=T w^ 55ٜmOLOa/b| L۷/6_~%`bY=a٬Xx^D =U<_^=" A0rў\ WzdAnڿza}:|k̽~髛{jnzo^~+\$}*RT2TsCTT|\bdSDncg}?ءdi qh|<-߉gњ*![*2ȊpMQJdI!&~'{v1T,nO/Xn _l_U.~n ɢal4Q0%(@,l?wxzsjK^!'U_r߻Pt>X#6vu \4Qr ʺ >_r$#8 \.&pj5$iSVB|ڬk&p'VHʱsc,JK(NJV-cMsVdpŻ1=* x?KPJG^RMPk *ykK?Qg\Ӂ+5-pD )hrda4?aDlHJ.t i*#9;/G(TWM՚[S6*HC[DYRu^V4\mp 1lPVyI~wNqŤM'gGJڼ=|y=S$R쁑r|[x[xxWQyEǟrPPA[X\+R3imeixp$֑eIwTa\u6OnCzxHKIfG̷YZ,hZBF.^F4eM'J+sguEY:tGg$w#((QQ(PGRUY$prd9?E yC*؜Hex u5՛O4z^jN"&aEaВ1q$TR$OAmFkbGwCj?~IА]Cfnk]KPXآڳZ/: endstream endobj 5614 0 obj << /Length 1057 /Filter /FlateDecode >> stream xWr8+\eBਗ਼nv35{ع5%9 ɦj?~$a 28u橉 >OphopYdqŔۇotw')UHA$Vah{dW>$G EUkyg=f66e8JI eM'mfl b}poc`QFQ2O: w¦‘dYm?|Ѭ}M25 /gF9*"Akb\$Ј/Q+R ,y2e`~AIʮI?. zS? ңǯ۸^!\{xvҎDo Β0υJt=mʠ뉢.I:sT͵GEg_? #K=,__^׾@.p3v{D߮r^ ^AGQR=V*;e»\(!/wX);9lTCyvfu|QW6#2A?V!^0:KυkgCviU(֑u[i/ݐ^[N1]!%d[< xU4̣dע]۲z;߼ f2FN$EUj6ЗB^1SI^uޞM'E$A3K{RuxfQ19$$ܕ+aEٕM̾Ƙ[떟e  Rt}{ Jamu%=b!q [sMO(h`(K_> $6:$ϭ0qnUQ 4Åi[*(IdJ-ԽJ 'ye:m}Хǧeڽ#D9;&ΥGS };W/> stream xVo0~_7hI !nmItsNIҬLPڟ?}>Y ˳,족7dnž{ ȚdEs70ˏx(J[R0Ahsm[.)83"ȝ6r0XhRM* a8+%Y;Z_%qNʲFSF$S$(>_Y,ؖɥNT%EIr2iY94[q BPWy~]I3X7(/e(CRVOiZ,f*}wTɡ}1氾,&TΞ08_Й ,HҒP^]}7QpIt-T!nʹbπ̜߭ ^Xzot]%%% e[uoijfrSɲsU7 (6xSDE9[S&C3kWxֺ`j*P"]o31KUq>vafUSsQ-nqdv4ioR6y?(;^x@MƨKx,ON(?咈==i{~_-qAy^k(p.V?wb7 Ƈ-=s6Xw9> stream xYKoFWV -q^ %h E $eGE|gܥVᤷ^BZ|3̷L<هw˫7Pqf˻YgYG1Mfcp}CCBH@hfY,KdUmYױ9΃#BZu;?/}6MPӤ૮b^¾YRȷX=U3T޾Oq kmYVtg,DiD)[U2,OTD:wcgF4!zGM-ʅZ K ڤk $.2wu9&LM$ $(eY2XTb5ܡˍ|rf;k3Vofq PuRJy]uhnw6b{n\HTVo^Ȑn ee `:h7}Gx"(]RM:n p9ϡe߱uUWJW>uR[7Qߪ~0znT^볊0+D_= `8R@TbDΑrjҨaPS( ϑV Q#ȌU]'K _xfTm/&uFߍH& vF湽ydvoĥ밗֛2b.M.{dY(Sx1)P =jtfT9 լC0 RIE|x w _DH B`y/M`!&nbK,(V? DL*α6U8x EWVs.uL?F5v1]g+rX㮮]} ~ԶGLr2m,pemq!#HZM L [V5sHKe 4/.]-Z##!үY˞$^>%Tƀo}5w(LûD՛UuĬO<^1>WdZIT7cR|JBj^F;S9ӔKN)G,a(çL?sP y2sl L}X9YpS'T6z2#Lt?V)&>m=;;YuO.ɏ;p$Es>>TW 0T%q"/JF endstream endobj 5645 0 obj << /Length 2020 /Filter /FlateDecode >> stream xYK6WVXC K[MB7u!(-z7=%j8&ExtAR$]n[dIN.n7/ ddi2MΓ,ZkNؘ'yT6 _5*V4OKaʨܟBxbv U֏2(M>ˮZU 5s[-(DBNhPIRp9]w\\ШhSpxYp2{n2ޡgBWR"R16Cqn!)j;HS rཪUSY @hhtn$MtU4edn+ |DgpܜthmA K{F 0FI¨G#P#L.+dބЌМ]/eHY3uALI3ϭG 6_$HRnmp+! 5 H4JT4r?5 Ćl7xW=z&NK{qsZsߗ"%I1DWm GpaO9Lh908|B U9$c7>ZĠoᾖ ^;x*z K(G#/`) fi&$JRq VuPGzQ$R&1=S ) A5WjxPҦ7Wq 2>h 5Ȧ rݝ7|/1M5_s?8 ~9ac(Äȕ;NQV9y"OeE%Ju+ʲ~?BY @@3I= tY =@}ϘE(f!S20jIdol6Ih 4!$>jI@c[eOژV* D 711qc!nBmP^.MXզ9㸽I=. ʪUD!B k>{ӎ$}iNMAHvvŒV uf~ Y'>8.) 1 $pN:@U{kF;^jAJ?CIɩa6~.-̍Kwsvc@"5hsȟ cnpo[ kTwjj`2>OݱUjp72GP*!W0mt.1@S\rRiZ⧊e,*\_)*TX]YADS;"k.&.]@QX{]Ds$|+Pb! .G)];xa.]O2kE*Yu7\v0 FЌ84W5޻@\9D?vܩ=S! U}XJi%xqUa1,!Y>n|mtE4XY o|dNΠ>I/%x*3:d94TE(W\EoqŘD;ZX䦍+=oR4j ?9~[bNkXrNZ[ai57,:1DJCє!!Q?灪.jyǷ[፸S~.&b> stream xYKs6Wyb!xL{HΤ\܌StIwxQJTvt) gxٛg//(2YBg Nz5݈Vg ؜atHt~]u-h:ROjQ?}s󈠘Ű: [i^^0#M̼Nj'heh4CnZl8gnQV,Y(hȾ4Jh6Tzޫϻ|:Uv**Bޘe՚4?32כ-((ق0WvU }2_IZ&Ts38ɫJ^[9 \NBJ]PQFR#)hlh^noa|{e.iROU"硕"<4 IIY,K1keƭ:߹g BR ('Rv^vi鏈mNUو{VAH4C[OR9r7Gf2HYHL.i h VWRJifwNIA:_!{]eCzOuM[bmHo̓XJ)^Ku#WhKh16h5Zz46^띹|0x"Meu/Tfo1^+xAN E]9I(m$^+>YC vi# mD '&KS+A|y'&t?fG[0 dA\ QΦõ^~[C˕PP(^Etx ȬVS7W`u#!h'd_ϩFM>8 򜰨V>QxX$m{=; Nղuܯ44V4"w~13MKJ!{_D5#鐳ډl44 uB$ug:險Zhu#?S7ҏ췫a~|lttl;8m깩A pׇP qb.<B'Z!嗧i0ly4 N Bc}n/JFvFHsF2䌊גڌK{[8m°nN2> stream xZKoFϯmed @Ha &(MzIc}niɳa R|t=Wtگ~{O4YјqNWwd+g$nNSv?UB |$LJ]Y ewq[s,u,ju*áh"Cl.}MNekáēMuex1xmP6}6vR8sRREk^3"OH|ϢЂ8a<[ED<uTt#5 xY9ܘź:0arHϿjHNx*V{QNxr"n=R~.6CJu·R]>y*b.ݸAn[5aF3ǡ_qvW(k^=,!f-) `fvaCdgdxjclQCZ(QQ g]VزMP^}"]5#Tޢ3'{BfPʈHEbkܽ '@\ex{Eߏʼ[PIIFS77I|w8i@4k% 3hn\?Wܔ&g-~$1 %AlS0w8DfK*tP(LY #JEc겪 ,aaՏ(-MWc0k_u  &,6}IIW[xj3 s <9&߂2nܲ6 fUFEgL *9{!,v%j:=#?Ruf\Q\ ( .!t# ˦쪍 jcX`zŕC= H~hU\Yoy!?6`Rt謵ń~|FP1_]vudկ1]o,8[V"qm9$# ֗˟8Q'*ģ Ph*!s[DЮDmN U `5ymy`5mk!ODXEi gNG ev)rYlea<3ʨ`ǠIDAǛ1mSvlz{('$<- @<K1|ߛ:jwTљd.>b!B[Y\^ R#'F$E HhC")$pXym}yKnT Ek+P ^Tx|=$=-&}öp< :~q`XZJk&VK$]cU>1 6#8F 2e)b hx% ר\&@Beg؂?B'GS۝Uot%[uuhkI5JؚUTSsܮWf>u2wZU2^/bSfA]Tzv&.-Q/^R'PD/f\RӔ$2>wS[zY'x@^Y+H``aiz)jBR㰳| a,Ai]:!d-rZ5uӤjŶR' =+ǟ1WA8]LŨ \7? V῀jpm̮ҹHTNSnmD-t7bqWm KVBfldnH0ͥNrOo̷x_+ 枼t0UIsןW\<bNeۤAc44<,4NoB? Z6h6οͻhR {j~x_*Hu"Pܫ @rRzrk\M'/dHU0,&*C⭥ۧHdu\|KbodIS_5ԿM&ě,(#?%%^-%Kl)en_-eysBܟ]ƘbLƁ%GNTVS~mq; HCI§IÌ>b3y {ƍBǻwޜ endstream endobj 5659 0 obj << /Length 2028 /Filter /FlateDecode >> stream xZKo8WVXnw{h]9lsk@e[,e%9;dʏ$[4hNez^f>Zxчg/S2"M.B!b9_uR]sNēY2ȹO2.o_/zlxnDWaie#/F.( XV+]v*]$9\8_ՅJ<ɒ _:xVorqTt @ScקwbYjek\!INj2]EV{n1/$Tc> ^l2CHq6PCsŷk{8zc,MyvșK\<?we]2|5!cwVeQ'8KWqB*X]B HOҥM:FV6!D:šRQ5e%-dQY$UI+*.7cwuYxJPYת#{\ϧNKsaS@ BFx[ְJa5nn~#h]oEN^F< q` *(#`2Fsk(Bc&Vpᒫ,'WYW14՘"w@@e/lBHHDJzf/oE;E,h|%qHei.52z_6K#|7<_k?_ 5u0Lw2iY5(@2'yЗe=@uUz@ ^̌~=W$fT#v.j%g 76E%j%DPqjKBAw`Zө}ʠ2e^u\fγƈg$BA L1M଎ DSK 4fڭ?RoS.)Ǐ}@m1r:^밾0`xؤKvD* }C!YO@ 6OD(sQ8]7^܉lE@i #_"ۖ,^ U-U{T`i#j:.~%.x>\Y;b}m:}rLcz҈MhZqfJ5DBxiUc= ] $ rEfݶ739y#"l?G i,AEf|cG:Rh'?udI9x4Ľ ӀrY04:jHY `wM<ӃOnEQSCNuRFvٷ^\H dQڕvm%\Ǻw&X ߉Y3g%bFhΝ}l'޼U]#CxPtz[^Ʊ' 'F̽]~|gfR/Tyשg&8VaT--Х1UOH];cЕ ueegwe1GxB{ )Q.c)hy c}l{ÃQ]EmHoS9WIUZEDV.%DEqjdDe Q1y'1S{NF4w"NUlBDgd۬p#D"61hV(O3Csn {Z]ў Ĝ988* ˳i endstream endobj 5663 0 obj << /Length 2230 /Filter /FlateDecode >> stream xY]۸}ϯ@շ]ES4A )w_-^%]3Dvv>Yp̙C*7ÛwOo8 ><52ٔQFYy7E_Dd9>)äL7Aew^X $ߞsv m8ligO}k~<Aܡ ~HoyX&% փ;Wh{3a\nw ᗶ XL ݩi:vNs@8B>$+C(+s愌gE$ pQ \i*_dۡ ~LՀ%q=znt"KuWeзx$f x)vk!T"" Uu{8۹'"J-cCeqd5=sHuiFE f%ۼϡXjKle*]mxåT@:t{ ? FmEi{pc,˶O'Nβua摵=xj]_nactK,u<=V27\q , 6R(/t4^ y8M3kƫ/08᥻p.Ge[W_aYn|"u Vs,.¨= (b˭&ؙ\B*I%-]Ap1RPU%u$J*H(L?Ҽ46uqyQ0pY6{lX<]LkT͑CbcD,VZ<Ŀ&Y΃u|(bL0 W *gg3CIhYfG Jnd)IMK*r|uc+4N[)U $; ?ݕWnW3ed>33{:eshB qV# b0py"gّWxjy) Sd^Г{0ZtPK?%:zIMeF.4tiPjfNm9C e֬.a6˩O _p0}i&,> } lg^&R7; .j/=_ (cؓo`iQXL"p}VŲ ȏB 7&Ȫf\;XtHJ625ƅ,"^[.7YM›,]֬za`6ĉ?>˾NWJb[>nbz (v#M+GȺۡ㒘U% TSǕ+P+#x1qԛGo MP.'D7McW=̒PF(+c,؋,w{ E>s=٬-.6@ZIຣ_m4Lh6Σ۵J Y}5)A\ o{nEI@y= (zz@9Oa Ra6v ]Fd}F] )aMQbNDՂ+3H*N)n| 8twN&Mp= SWeLFtޣ)TA|rk'ځ5ؿ*Ֆ3]hTZ0w?}2dxTcf[cG^Ta,;"d8jNWX'v3ъ WF*?s!̉ <_ߜ\)/6k9͝ʑMM¢X:^E[̊ 3t Zx Js|.XBv~^Ό#QzU:* h|Vw* > stream xZMo6WV-e%ʡ@4z)T'0WV2$]w!$S^Mۋ%K93|\\8xw[JQ_Kyo6iTX2Bb) Ϸ>YeiU *{y~oIG,MqVgY3K1b1 0Y7v"Y,}EUrTQge東 ajmY~BC{׸v[IwygIxk"d?,(]~rmhM1m */t P,Q"H$ E܅R7iv~Ίϼ$BR$[MY'֙SD~veuo67>{fdA!_KʡX E3V&QT({^>,y z'CamB#3gD†0yz'$9_(:ߤ!ƍ BU7 u_t0c05.z#I:T AͥBI9퓎 @!bzQ4Dt$2L&&bd#kSQFJˊ߷s*W-)6=| D^YҎm"QV]WWewsaTaoܜf #:~TM=@B/d7xOb$&SKb|Db0XH=DIz>C$$=H#1xgb1uNNŗێ" >E$cQ`wOEFL8  p_dUe.˭oyRh0};}jIX{gNxQJ{%~0R=z~!T+ endstream endobj 5682 0 obj << /Length 1681 /Filter /FlateDecode >> stream xZo6~_@ň)R0`-{)+9faIroɢLEft˰K;wI ޟ<;,J7'( .Y$/?Ev!(eQ,5?2\kYTV0le6lW)S1z $F caYnWr2f6o\;/q>Ybs pℂŔ9b]'0+ z+ߒJbތ^` ӭ,NbƫƤ00_q;P`~A_͍93\\@"N[6)Wr=Ls"fpԏu]^f/c#RfF`v@;a:p+})+7%/ե  3Q:Vkޔ;sq#S?mT(GjtAg#$$ [Rft6FQ7Cq?bDke]o[Yח|>B,zO5%殛USlc^.  ' @u+%ðgJln4|IkVQz[0ЇB>hwfIu,9iRm][B[U4dc]:Hɽ%Sz'ʻĴ/I`5m K#:e1Rֲ\ESj,w#i˅Zs$Cs{ThT6ְb.쥬|a 5~)}N]^ΗX[yb: pP*@O3UA<\2$JU4,M$ih>,9I ":J= /@;,@k3ntmnM1h_;)܊xL^ 7js\0~~Tܥ!0 C͎[Լxs<[owuDtD 2W#耶 &!`qXzd- EWyqղL _# H$gu鉛U )mU/Z/m׊Xi8EŻTg#WymWH%4ܘ bPڽrfBVߔf8mXcNco4y_T}q~w+qW=Cւ8g G-ږ fOEBgSZ]AoTdewi2M$=Gv+Sz- !` !)ne)|)Fiƛ٧Ej{N+tCWynW]gO"*ZNƃtU]jgOGhcyIuOw42w> !t놧z .4>/ݔu+}^S01=[͸!!t8o4A kh`IH|QAdGm2?{y% p;C%*_^eґ)3,':ַE^]^0kzAc׵,T%g-Ϸ3𑞿ޔ_*,l2ۿ|Г#RBޱ2bZ*ZFi3/|){/-Lle6.^$kSS&|/y㴫f#|MD$om",!{ze2cU 5e^SGh t_Gvٟ" endstream endobj 5697 0 obj << /Length 1286 /Filter /FlateDecode >> stream xXMo8W2PH}尋mX^6)-Zm"dHrw(RJA^,A&9{oggo/\b"k p0ܺ߯ġ=] e&< {ى<|xk3 `Z5 oOa#SÁiʜǥϵb;sZ~P;[g]eRުEjO3k2KylG~X,6l1f_ wE]a!y̸NG}~(BBXA+l+WQP/C(TI+\zusˤ@};$p+!oU <׳DBgaP Cc7}\%GJK "z{~8L;W=*;oŨ%e, Fa1Oo"~d^:픚a/ FL׫$ 6֥LKC | v(,:jn݇M37cEEkXV|%d^ҘKyj50:5u |H$#A֑AwC!=R8AY½5_Tg,Gi=,*h Kn)$ Q蒶6;uL81ayQJu8.MUO }\.DѣuHwb.dYy`t<,o:}5r^x͓A0Fzא)!?DzP]Y"+;7(P7Ri0H68l*I}u#ls c%:|kθ+VJ_Bh8ɼuS7 $UIoUmZzdt>B QFT)IsQ.غ76YqWS+#.,9E5$q<|6 H@&72]ᄐFtӞeܶiz) G + P>6uݹ+oB-A GNÔm}8^M+Y1;\U,+vr^^?W,s6oKoStR:6E&ϖ977ɖ26wsnq¸WxI<;mQ[s-fESȒx|nƓ;ccZfz:ZVҔ${?; endstream endobj 5704 0 obj << /Length 1491 /Filter /FlateDecode >> stream xXKoFW 07K 4Enn`PZ&BQIP}g|jiSi/fboaŇ{'[z1b,x~ŷn{4F4f^0yb6}.dv}拀1e.ZaTd )pҵ_aۑCUhTuyXׇR˽:!J= "_.֠}We,OK}%[Xxh mGI¥w#Fk^T>U_> Ͼ]WڪoM[gi%7ig:٣짃7A ?1 !nQåxVbRc0kDuaoK> HW|< eiRI~okN ~)e0CecU&F^vBȉ [y~4ڊǬ؎U(-;ve v ljqW ly:6޴oӪnOzr>d4e=Udkuw'wPA Tc-{aZ>.( *F1܂{(G0#irPS'M3yGRV]=VG]? ~q@M!bdӣ gsϊLyH)aud+jbw/4^9!¢MR jZzjRL{Mm]5/ZjOs:m^Ȉʜ5bHtQf S]0 ˪i$% Rw0}\FמѾ;k P-<\X3U=e2B@b1uwbuY"#N;OqM8 ' #chcQ oYN,^Dc2u_trv3S|͞mfXZ1)d.l,L]>EYX(b2? x>qw]?IKMq); $V3@ 2{plQԕ>{h7g,N9¬&Ā2\̩UlgV铧됢7Yq: M@y ޠEor'~s~o [_BL|Z5,Z`JLI%-iu?yYèW%g|czW9܈0 ]b<I4J[#.@1;V͊B,Ci/p~A&VΫa?SM>p~yo{ endstream endobj 5717 0 obj << /Length 1516 /Filter /FlateDecode >> stream x[oF+x--3UnY߶D Ī{0Y%8ΜwΌ`x/^\xavuWq1c35[2DEͩ>KeůDtesAdEK.fxf1FL2=)?;6q5\ũGo%QZƂ"83oUV͛/pBW"+"U8`1p`eo\+" Z.oXbdQX`2@yr"P@i!(Py>a jwP(ExV}۳K %<;(NGe[ڸ,,9TIf|نri<#9J5P:\Ugm3j+я[S;>]=-ň?r ]o/+H+fpP񘔱3YKSTlPNBU*."XaLQ7 17:eCͥSWrwpK Qx)˳HY2Yc5&nV憾mTNCt>ALi˃3w1"졧esL溎Hr2*џX\>$!QɬHmA@6vj‘-F>sËP \XOP'hj*A)SrO.?MXt%FC5XuD!KVSۆr)vr5Xd d*h,X}%va"ZQ<&2LLg~2쨠H؞ՠb\4xW Hir˪HVUmzrEiiW-!|{[DɁT\ >/eQ4}>ˋ-d(IKg3oh UGEil,Ah'̍FnGDPBf$@* xqB,z0?jYeʳitR&dƅ'I0":j^;t=W:-QRHO)MVN"NGԘ\ԥ"~U'!AGIz^?"7,i0,v0JP̍7-{}PDw=Ko-}FֶMiI>b rNm_t.I}NB9_>!ͦw l ?ܟi4dVU6StCkpH h@:@џYFINߊ?<ߕw«t? `OF-G_]:;ɉn)T܀6nawײYbV*$M endstream endobj 5611 0 obj << /Type /ObjStm /N 100 /First 1000 /Length 2196 /Filter /FlateDecode >> stream xZ]o[}cA m6yh!EЅ]=Cr#YIÙ3gxoSIHդ:2,TjIp.i+f`RcWbCq)ƅ#d`#@b5Tܲzk1ոG,߆b.'' @Zln|˧_~]?.?ޥwZ4S4,5WE1}z"ޤ^[\~ ?4Ҭ#QYJhQiق~L 6#H@ZYGB2!5suF -#ψ( vtL>HzB3x@P+sP'^VʹfD&6Ғ~J l۫ϿBgU43Xrg뫻U(pW VXf$Q#5'Lz}s%V_Jޥ_q˫ې ׇ_o?|] _/_؊z7: n/LUG~Y6~!Au]/f E!r_([x(3ie4 LCQ~)9T(9,FFe ?ig" =H` ?v;SoρDzU I{dmY Z"AG;g"Dz!켲l8WBk^D(Wǖo^ TS+P< #,>2|⃶<߫=3g=_s Wm٣.%C (ije]P:(ϡڄL!Yrs< _3sۂ0q:2`(PFBvP8~WQZ9JquGxkg-X+?vkA[ [Կ3ktsK!>#j9ٮ{Oq=z BN8~,F(?У%֩Ȳ/n| jsa ҽf}Eܯo'~~σSf~o[T9P$%#@>\0` bpV!*ѐ}t#17ErO^:Qv MȪp'x 1> į>}>贬08O?wcsFF> stream xY[o6~ϯlfś(a: 6-ŦcdHr"YTh[N/>$&dvw9$zz PxXO(AjfhnU<EI}"t2<}|6O*wmp0J%N 1L`^&(>Yh,NQDQQ)l؏qG NƏu}/c&dN"+ JH`[u7#T2Ń}^5'=Eni%ӿ PDEॺ3=ײ &iv|M1Ѝ^_WB \SX8Qę ϶VT^t'xr}mТ]τ1#1W7]2ޫbu s`Fd0M=t^".K/ fˢcEQzdE:RPlDcn::Ur`hJmeQrO-t@T ʭϓD;BХ\fky_9z%e#{]YPESo}'w,s ̃c$\bm1ylCc9wptc?FvY[wH;;6I(~Qzo$\m͟tRC(Og> stream xYQo6~ϯl bEnM=y@"w)R(KFl]Kv;Rɻ7g!p ^pP//WM)'LH~02U*|ѿI&g*U?ޜak2"ԕ(zI`ysF> )"|7fy6ͦ> d!{k.,0k'(YCZS1#S#񠕸12EUj2/[Ft?P`1 'QUn , ⇩I1M,Be癥؋ƖoPQ-W8 C,_>"ޅ)><=1#B]^IR-̷c$5ߕItjA((ң9U"#5lFKa_ܰ(%K7u9h<8"G Е%.eRp(cTfᅏ BC:Tq!٦(0@a_"ʓjIc(JQHGRWxˢ}q[_શ6 ݓfxJ ǂ1IPHI~[I#Y)o2)l_4ӥh2E(gX$+$KUU{/vLh~N|[{}NpY?|.޺| 1)r#ǹkR+Q$?\!~H\z<:&#A >ܛ\Dh\::+wJ{+f[WӇo4kJvU LQm-D&4q2X9KZWUZS43c찻57~:9AN!!\t&ڻ6eZN8ܻ֥nA$NjkE#^P((JZwl}R=NGڮm8*6  u' ᄖݥEkTW un%T 3,] <#;ū<̯sY(D^!-D+e Y)k}Db٦$5=(WJtv"ph-@O9oڴdzU}ߩ?.$@h7&,6mhH8wh݌ JQTx*]dⲑ:]0F޶s9y9ҭ6@Kޣ@_U;z vE}ҹݰhq[/ywvm] ͼ~v﫢Ι ,%e伔辴DSR:,r;&Q0qU wqhkh,.QZB Q2+iO8q8^5Fv> stream xo:W6" ϟ`Õu}MMB[cCvɶ/5{[{.ޜbo"EX"̅\{~ŗgN?=A0"IecOu Z'X7*"O23 LTشئͿ P@[`94+HъU׀~0$5TU]:ͷr̩Ԫצ-ιI)-9}IhdMZA_6!!vW Gą1 hA(7Ec!2ڽVufr$\z5g3,U o (6v״6#E IwSـ*ahpBPWYRԗ8@q>c@Z^T]k!HRu^mZ]fka6 r5:{դ%AZ &H Ylą"wQKgch50&Ϙo9xչ֒jvkJNVղeZڪLMFժ̀{`X'z^n0e=,!h,D -J b R„O8p%ـ~d1'c)nN% :))tBآktF0ֶw՝JVx?utX4Uƈ|FKДC-4tcRniOy8甍\4|9X# Mz(0CA;= p[n7yn177|M(:G;Ĵ𣏕)=:<1W̿G+JJ7( cq$P>܃Gg'ϕ/;޼;=D_R2N0;E 0q|Һ,B [' ;VV.FZ+Kڻ<=K$)Yx1ئ֦Wgǽ[2#T00.vB? |ãʲT{~Лژ4^> stream xYKo8W2P1Krh)6{"1Y2$9w(Ҳȯ&M.6-3̓;' ȏ3qq"qg:_܏ȣG#OJZMⲌG$t s3u]bu]ٌcT7AZszAIwC4z̪8ypҪי`g).羱] "fg!!X \5X|n\@w*O#2P-%kjxQm0M"6:0<uTo>̿>duu+\ipF>Яs>WYjH&շ@4R5y\2O媆e*ԏfzSS3䝨Q>֟J+4&h GkܝƳ]'Wߑx*)~ՙmx|0g4y]Eg08I/0 q(Gw8 U{[N 81SĐː̆ >,+˿%K9dv$m8Ӄ)ֺ$lg[)cNesbM$ 1:hD L o#i}DT֔Ntz®ui.ӕY@lE|?O ]-o6zSx/>7ўC37mio *#q$ę.A(KiZi}o"n>7ZFC<3lHYs;}r>}K֋grh,9~_۴=m5D?'F endstream endobj 5764 0 obj << /Length 1578 /Filter /FlateDecode >> stream xZ[o6~ϯ5by5K=t@K$R'mSP$eQl'M6Kt1/~߹)8X8x} ( N/IcN,K>{6S׀JD% "6ou9ca ueu^6EUWboҺNg4oEUyaQVeVKeY,>iDB2/Xx7AC48۴hrFfAD(G1*^AVOq-0݌r.zS8ocYzتdU?E{uV5 X"#|(bdd0(I( FLX8a9@|T,4!9X{_XEᢄp/?6ḧػDdU.e^hE~Ҩ/{ vM_^Vkw1"9#2L;ЇC?#aq\0<"/ 0>'?B|`I6~<>swrY4s{=b24.῵0I7s|WgOg@U aG<t#(g1"f~Fˆ('14`((\iL%\ָ): $i|/lH|QvD3aEaN'ƷpNg`&;=3.kF^"^foq0ؼsqSmcU>:bJy2cq?<]MԑW5u=1WeD*]Q6mZ.cgӬ7*m b ߫j䢱8.Gg6@5^=~ѝeX2r=K'CG1㪰 ى"#mq;6J);Dܜ~bQpRcv.Ҏ7>w*/8F Zt,&TËCsmӳwfܣ(~Y_<ӗIEԴXCmADU֩!sA/]S)+jm< HY'htmv=iO4~ZŘ  nqlF7nbכpX-'X"g=3[ݼ,d@BG/x^Kw `nH^sp k$OpU߫kGO}H@Iz6?5j,XPҥO=lӗ6:oӣS endstream endobj 5770 0 obj << /Length 2334 /Filter /FlateDecode >> stream xZ[oH~iL̮"98LFxGZ9Q F۷: mk/\Sε pp۫$ $ $N"Z}mj1B,2 s妼˪*$|PWx,oz} " (f1LERQ'آy}hwxG0ykE*jV̙9Q A\ " n6pXҕ/A#b&݈'HDǥ K!OJi1z/1MD$$˜(A C*PGMҡLqǀ'= u`>mgٲo0UDQfmcsE쭉dFi/-rR'p †k_ MePU3B,PMh6fds_E(WZ颢O]6Q/Çj(&9C1(ARA s^S zy{m{05̦/x,eanQZ洹sA'Y_kb^YicNgI1h!gwmA$9,*~(oi318FF,u[BPGz(a{3C_namF"F)0'qBzH('Ko|3 UluW7f&ei-Cd69> L(1E ݭ>5iH`pSZ4jcʹ(|W&qܨhp.BkT;h]WkV9c/f)w3b}M FPkͤ% 6sb͖;2Hݰ؂) cMQg*Q qd6w n?括q_tX1i^Aol *:6jS^)FppAiaY՘P`7GR"(dmUI߅-Lͨ#A¼\@>[VtTӵIC%k:!Dt˶jʬ-í &%[M"blNwy+꘶J,6ȨZ/>qЩ7P{r ʌ”ejE2d8I$!hj+UFO!gA$(:%CLA&ЌUOV[7j-~=b4nW5wMo&yخ=<`2<803)"L)z}8FȵC뵶a2bimߥ.Htsk` rE>']fw)1o/ߟ}xO>O#=N-T\I>Ue*fزM`3!{F(-TA)?49TEf] -ݗ-H@!(@Z֋GZ!4թ3@UY`\9O%,VCó# * ~2F,"xfrA~yl~gW86 `4qTjbYDЅ~K3&bGk<PIEBknGqG(>1SlGP<bn;^bW` :mιv2,TrPjEXw^fe:/y#'Ϧ%i^AgD?8v3W)N>uvTv4O])Uk$p_O4E6_"\=efM̟zyzsAy_=5Ѳ00WH Tt endstream endobj 5776 0 obj << /Length 1738 /Filter /FlateDecode >> stream xڭXmo6_O] $J(6 CaHCĘl4[wǣ^Mn/"EwDYc1 1t1&]M}Dz);kSm8pYQn?ƯI'0,? L;\b\}OԜ^2fg{@sɯ^vl}w1>)~1O$di殝-^^=泛z^.7kvOؓkgTO6y']-,{ZyZnsƇ$m˒N+ΜNDS@ɏ+1BJřdjLX~9fS;uv5Rb~ ׺ BĊfP^rN3 ~4p\#J۔:fBh`` }cS(7ۊmq 汱͓2]95h'H5( -$;Ư-~_XT[q5\IV+ : bˆI)U# o :Sw)ҍ+&R0*zsm\^Py9 [CfdXU^U^8c<5Uh<!?+ z"D$*pxͥbA狏Q&K7҇)daXzV &<^Fx~NRXr1뽋Zp:/u;׸>ԑ lC4zen[bQXI@WEѮaA׌EOKf{>6t(0{I ߬S!VO@2vlEt</ E }OFGN,a_cRi#X2糷g]1擐 ]s`X8pdhݘ,wNMfŎ%P#Բ/ٻ'Zph Nvķ+E">"JUl  ]h#a3)lWu6 WH=A5[oFHRmKwY+WZnv*&|QӰXFDq^mlZ]0l[Pɞ.?asN ?Xc`se$,Ц#ye\Ji[Gn0u&cy,G8"]wywIɽF*]5 p`f2Л53(Jj|ŋ:#C b,BטJ>s,riSm0?f\V%'K[1oϫZ dI YY}!u怶d@^_,8z_=Jem.Wykd!zTFx mZV"GȠ],RusڿlQV;P}w6}ͻ)-{ )%9n#Oռ͋!9x9tN > stream xUj0~=J+V-.ukQ/Iw8vf# WX՝5`P6CXm""A 81圤m0:N|9AnG~e;6ړ/h˜pZSwd_FgP7p3ز5rァ|B\MF6Xp&߄}/D endstream endobj 5786 0 obj << /Length 66 /Filter /FlateDecode >> stream x3PHW0Ppr w34U04г44TIS07R07301UIQ03Ќ 2jA]Cs$ endstream endobj 5790 0 obj << /Length 145 /Filter /FlateDecode >> stream xUͽ 1bˤHnwO VF,Ffo .]?0 &1Y2Q#u~^=C  YGur񍇘Цto *Z endstream endobj 5794 0 obj << /Length 19 /Filter /FlateDecode >> stream x3PHW0Pp2Ac( endstream endobj 5899 0 obj << /Length 1186 /Filter /FlateDecode >> stream xY]oH}/<@XG*[^i'H[6Y(}CZl dy9̹3w`0X.p162lXPc41u/|:wGI_γ./>\:rp?_{HÌ##1  a8Okn2ϟwA7K}#zoQ 0LZ,߀#"}=* sxc(}1Ị[%*\0\pɣqy As.LE pUɒSҥJ:xh[Avh%35۴yO)n+5;:;?UT{NUO[fSϠZQ4"󵔿|VfwOKKkv^Okf*}!~~~SG߲}|yu߱^+rkY=4LE}O;?t-翉2?nBԢI_-H5D >EsE|)Gۢ1_ߢɜݟ:7 Z v3vSȣm&?i·(iBhFp *nL@Valetnu#Z+mL pmI $6.CKaDwIuSC +<\`w?K@{TNT$8Ώ [~HsT>:ϣ" fAI n!b{^$o+7K1> stream xڽZMϯ1Ɂb"`,p k61|pbWJ=fFn_RISK_57!wJVo~5ud2H6DTE륣fgKTOF"㒨1%Ъ8p1|v4U9pY渑4'%6Y(UGj2Ib LB`ކ^)sɼW[uέ&s`r)ez9.6E{-{GHs@:9$&>Ngs6IF5Q,m&g`&'hbAGښ s˥*w\փe%iiUdɕ̟ (wW) 4Tԟ;?CkTٙNlab1q=Y)ْdnzJּJM^h{%X4J 2*71!gG’{/l,@/Jh0"E0T W8V *MIAT& FV\.PB"0F"X"n|xbCzPOi? 3NnWۋo^^_ݦ/x9w\x{ʌ+~~6IxV/M^%:b=f>a]~tOk1ᄏ=) xis hoLiP4j48_qhWv^/V]ry3 ' NHgqE%fh};%*|:aa ~Sf?OBvph03hYaKBK2ukq8Ȥ T; &pɂDhXvwDj- pa .CM1c!AY*?0;y z+:iy+b9y@ձq3q=q]HwLpBqCkI'2!@n%̞3<&Umˤ6LDjPvAJfOki1RgO{٣t0ϡZQݪ* "[AU|3Fh^68xc}+ʵN{rqlǁ8l;l<05㦱IAѨhH4Z44=@@@@@]qd d d 6fmۘŷ1\r ȱmmmȱgȱgggggQh[@nr Q8Xi k k k k k k k @r={ @llllllllll<y۵D`jzH!yԽG8TskfՒʂ't> stream xZMHϯ8vHiiܢ6vP08dfocctdz 6 ><<|De@I bAD~yqF290hҢZ` RtW$̚-Pq{9F q+ o Sd_GKR&nimy}+f%.-H7p&']%~`A/NliTJ0YYXo6Bo ϜS'K2U] {B n=vZM^z:0YJXJ 2 ԅ.Wvpw( |pI2M|}w,,D'E}o٬5Y{BXm7:]gE9ӮDetQ: :FmKNJ$\El_Vɦ`QO &m( 炇>[ቔ'?#2T4 dB)@m_ TIJ^n->*3jSI ǖ`l˽sOIsd]vhHn YJw]>xʚjn&jigt`Kȥ?vVW@NiR-6uUnHB:$1ÂEWڹ&\ID 6MMN\]\0u--kH"sCK@;f *mBxSO$]00pX"4#3ᝮ2wZ N{ [Xl 5 5[ /+D8e޻ec;|}/..!'k?o|g6I endstream endobj 5901 0 obj << /Type /ObjStm /N 100 /First 1017 /Length 2762 /Filter /FlateDecode >> stream xڽ[M1pX_%@tH"ȋkp}^qz{ՀL7_W\SIֹ%FO\7FBhyRS/K$ Y".|V$p[=Q=DmjIUĥ81ZPMe&ch]K܋x!o$)$xFID863IR0Mt$5a 1{GOmA-Im^ΫUI:Ut7_L1*.*Hj=[׍Ut<<>n𨕻o?/hէj٣:l=@1ρ(a<$ho|USkzPW{WM0nQ,\%ڐԇhC(~u3Q 6hhCSc _NX({$pC%_4э&Cds`fIKj|?o707 L!1,0_|Fq Mx`,._ 6#2h7`4)IgN}:}>?w?xMAp(oO>N?ܿP)5#py`AR&Y:J?=~L} s nX Nx# ΅{n}\M5X4kuc|P\`b>$>3)]-a#c+=z:D3̝wlW` ׍pn‡HR榐{4ε:Ar=dbt;b-7,*}˔V36fŢJVHʈ0t s-Jϝj = nӍe,0 (XV ~a<K{K= }٢mE 1D <ސ]df ,5Wvw)t]GzDs||?4YNֺo3223fK. Fâܢѣ1. *Ѡh22222222222222222r 5k @\r -[ @nr -[ @r={ @<y#cYmY@<ȵ GCѰhhhh2222222e ]T0pm>_g(7GAx 2vcE !;҃$aCP5&ipj=)Zg8앸XJ^%YQuU rUw(GfK8䷗RV0gĖl6J){ WLvG(K!Yu템m01cz-_~K؋/VyJK$ᅃi}f ZTj}/O'GY/ܚfU'{rN?sfK3?;2P+a,sꆮ]奶橲9 7UH,=/~uyʣNbA*$NRߗEJߌP٦ëv&MxGpPJ*iV?pW~mU?=l.J!tUhW~wKE?X;,eqюteю,!+K-Cq>͎F&L endstream endobj 6153 0 obj << /Length 1603 /Filter /FlateDecode >> stream xZKo6W"86dŢZ, #H$Rk)##)za33oW枒q j|qX՗Ot5cr[/?LJ]q{"EqAyJS/ X wP~s߯fpjSU$AdwEVu'b<:R[/р_~5i|PCb1 N`m .s̭1HؕI"zuB9zioէI"jEnoQs31Y>wi4=(I6E?-P' Ap.솚q:` &쥍TW2eZǎs&%xH;c;'iՃ{QV/>^exeYZ[otwm[QR]BY JsW{$4!4dqu. )0؄ ]Mcdm) <$sʲvUd[{5N>ql.@)QsDҞ]Rl)纻WT&[[԰ m (M,&oeYL7Sӆ"Kt/mJC8ХZ0 f.Q }{=QaGQM&. 1=~N!8TQERGj^i3 sx mZF``i$Ulg0B"mh:ߞ kCHnk,U^3P_MKZ4DEbVwf@ 5PD=]?p&D;0qїå"{)-P3ZZh> stream xڽ[K1pXE@0`[P K'kF>gu]STRlD}17BJ¾TSk/4 龨J'_D\| }s$jUK>aYsĥ8417GњX-qC;NjmCo-IJoTJj$2JU jM֖ٙaړL%H5I4JZwk& P9ߜF]è2\`u#yEljΥKjSe~)tKͶ#1a%2%i:ϫƩo2I]vVSSRf:4cjh:wdA6lc5UZ M>ǦW'4й@8Ѐ]8 <P|E |W ,R$%JqoZJŶ e: J wn%߂܂T|ݨo7`7؍D`| r'AsV{BX4v \I2pņCٳzN><<~;O~?xS_O;}懻?70xl*)]r3}ߦgU:c:=Osm7wE)u X-/V2 к,Juz8}.1 W` "ފD îP7Phd,dBPN8r]gQern YJz &"dqE屐k<)8r({M7w&C_!*<jf#A]Z2N"J8Ip_HB,h^$`gI7!\(Dֳ "V$DJ)6#L$#;< }}N3)zĢJ-FN!rԆ~+lս<wVE2ٵiPN's\| `8aW{8?uT;ESsY$Q %6N/KsX*W |>PULn&xFAn )UY 1DH ˟J( eU+TQ<`)(T *oY tԺ0Ieîg٥yQ.`U\?hr&)LB(}<uV$_8QfA+3N]'nGdg&$2 E8գ+7}t,gA=h}C+}.[Q1DSCw&z݊ĞxF~ӗ]׮q|+5sXȯ=HG{- ލE G V%G,V&v/NQjm"@Q7b 9JR֕^1QEQ}ib@]۸HY~[@3(SohXP 3,\ s^Ks, >9MO(Q) "9܏o]V/X@"U+3aeɹaϘ1WM# Ɉ u@ٛ^H hO!JRf J\вL3 ey ~S2ּKqz`dwzk,bwgYTscY,7g;$Joh>d#lw,|8Y_XxTiI,Voe$|XDAIO>JY5D&SHyÉ{睼cB][`晄ɇbVy9 XEyl8WO?mz޴C:_M/>M\Mn!'zz{PK_>ڗ qw>OĿo?ҔCCՇkwmn7N~g`[pEEEqXP,8 E K K K K k k k k k k k k k k @\r 5k @r -[ @nr={ @r#G @<y#ǎLĂbXh,j,Z,z,,LLLLLLLLfEaVā́́́́6Ha6Ha6Ha6Ha6Ha6Ha R R R R R 6v'Qel_ca3}\ʠS1 SWd6qސu/aKI샬>te: +kQ)WJ7e endstream endobj 6156 0 obj << /Type /ObjStm /N 100 /First 1015 /Length 2310 /Filter /FlateDecode >> stream xڽ[Ɋ$WQxm@30@褙[HjtC렿{e_&"^ MUdEz s۞u-:RIXIb IZ+/4yYnY s^Gԋ𢦱jIJmI7\ <kq<ܗ.I5IÃpeIzDT0&Fޒz4I:dQ7&+’i!dDDMV˲%kzk%8WTIP TK]Ox]JkkDEDY*^:\jx{4IQo^&zZB,O mp?pE\55螚9#5DkjUZ,n-FI]CRNiCSecV>|^KcYFOC!c 0 WF\FR,' ߥ`)KR/|}]i`S/@Ѹ#ĝT(w:/0bQ\(x|\iR'@ &a-gB t+H4-Ҵ.JPHe_\.+ iV/t:Է?O_=~߿.y{/ǂPϏ㯟5}L0L5i-GmÇ!=/ק\M~ &`BMCs[x#x"PDxgxQG@:u!"}EZzBN f~\P%l  8Y;cszߠ q [ky{kQU!20C!n`}2J;!f&Ԑ6k┙tc R+88S&y,Sz: Y vo6TLa"\"iBwy=:l6@U1Pq]L W 0ճ@q[&<%jϪgg氭eqZ(LuQ͟ngEEܑ!Kyt?a,b,7| 3bc!@13fmw{8bvο' A1S-oP [5G*j^ƋGqb&AXe )yXLnJο3pH& #g[̲ڻDHTFdngfgz6^A߀z19z/;Do_j S[oJgxb)ɐH+JQkSʳB XGL3Ƌbh! lb(y@V$s m=Ț…GvB(8`y9 5U[Ghq= 5UZ-I(gjjiA$LvlPv\Bi,0ͫYb:P\ CKǐ`q=4U]@ޘS,}C.bSwv7@1ګ0 (Cj.lͼj;Y!2F9ۼz^,Ksq2rs1!Qt5V$.(&Z`,gM2S > stream x[K6q t%^4z,צjeɠdo7]KKH}0fF6Bї>|<(Hq%$JP#ƣu^엿CÐ)9=(.S^v2C1~G~]Rz1B`,%Wy>Ɯݩr,g|^Is?B^,`5/;eAb)CC P1X;?-~]p:+JYhJ\Љs` y3΂)x6}'J9)$غ)ht,:@S7]Йs>st8x*yW1ax3ʿ]Ȅ_okSR/6z 6'(t{pon[Y1nD. %=maT&Sf{q5&6Hp0{yE2k*Q&8NܔNR΁Ya% ;+u+LamW>^lcb%񓮋[ͥ <+ۉ4*{&焆6MfKV4FtVc)%G~27a]TC*ViB1 \-\Cn- dd䅘 Vu¿o*"N'Ukoތ&x73:k^zqv` \\̪Wqxg;0n}6⥻3}ݾN/y`XlLzkըųYY[^6bZ4ȗu}8RL7P4:POe~   624!&<2 ,OzoA~k%MY.j擧ܧFST*f`n%ll*D|eJ2j1]u?{ _b6ٟ^.f;f,Wq˹D^LY&f]b$Ž 6C&~# _xa}ɕm A!=jHpk֦<.@@(y'U[$XE7z# *`ڿeAW$Toǻ endstream endobj 6157 0 obj << /Type /ObjStm /N 100 /First 1025 /Length 2886 /Filter /FlateDecode >> stream xڽ[]}B틎@ЂIu.%4@ﻶά3*_:5^C,#PU 745oK%~BNux,IW 6Z&$Ґ{sfAj h Ҽ3kA,MhCOԉ\%)^Eژx#f\MJo`-{WWG~k%gJ(R2Z(%;^-j ug)#O<ܒ6u_PYXq[J裡&DÅ^=Z -k-4)ίt86BU(V2ֆ?nC|=]Zz3Ү$Uﭷp~ޮWG}> B}g0X\0'J'`.m'Z6`/)Un`_4&L&M `ܡ I 6ٯ74 Ѭ!|ƙa&Do0MaKFoH,7?^nЛ8)4ћ8փή7K@`Y.BЛy&l+&J0$)M| 06_SЛm7#)wHm6 PVJwϞ]^pOw?ןÇ?Npϗ\珻>זFěa&&-V[UcRm߆gpëpy27aASGxW(-68䡭{T" Ya&s1"R/ǒ@`9E;}Lg!fq@MR,zpP"BHl2 +Y6Gydᶩ%u,(SPH:E$O5mۦvBga 1 CT$ƂNap#{ړ3\(SSր^aցQ8b! ~S1&2,HT(k1v ˞&$ɥ"ڑn+IC5,$zc evǐ]!c AɂzJ 1'C0"#XY\R ylr\8`yUl Bx´0QEyxKCDe& ozD{13:;A_z凇w?ރi|"\^)˿W?;~|ݽ۬o=Y<EC {T+_Um,P8 EYX?Zq 2n$&̄b _G±l1lg!M,WZ) YF>dp-gG>#be\GA'>Ip H{2b%RS+b#vG)J. /a{m굀=$L+ (KS #F LP@RKP(0?{<)sϦTPQu4CkG>0Hn`t:ʡ,:caiey@;"/8#0#& ,O{i DҘio{O{, ,Z'ޝŖ{_ZU=5CL, zo+H0QP_:'Y#s9FMS-JM3 yQVۢb[t>ga+,NH;dE'>'$`[H,MDڇdŐjIRVg-NI\C}~wC C;TGǷ@RhEm ҟ7&49 _6e6ͥP,hd9:)V9 ,PIԈLIt,le٪|V O_k 9 H,5gHBtA6!|8%$*,̏kK_a3_ 0:Zli-3h}\@ .r4yt\7:V DJc`$2T`jÕ9`i@4|0uD^)ߗ ~f߿> stream x[n6+·eL(Z Š46Pr})YvB^IEЕ爺s/4{盏˛{gy! ldCϖ?-pK)/h>|b߾||C@}{=槦ǞB#D_ݠӟ~Kpj]dqG&xV&(Oj/of_[tn18;PKA̺ kSl|xm\;kDRi" λo#Y& 4)+3??!dс [EGi @T:k\l|d^W& >gS@gZ%{EaQFeVE^]U L/r .%w,\jn\YãLDkH"T{ Ѭ>V1(+ùeKC/$T)T׵T%c/Jj\h!ЧZұE\ٕИNPQ&g(if'm-i)Ψ`VX:=2h9UYYtdѫ1AZgN\$R,T~&.?/9a_:'<$O(|AJʺ&%Ur|tf0xP!`$6!<}vR=ETĘ@><=m#(  CNf;&3_Ǻ֣:z4ar|ri:;c[ʱS%\}0S,V`~]JEAcvWSEo_,]aTt]b#Ej=#E9 2hOۇTURa__Qu"l"mS5Tú>c+m7m(j~[eGˊK"T7Oz h.MIa.$gֺmEc-=Il{v?N1ݑps˩vUjA-Oo'Yl:s=Vt7 ɶnpC5gop9ߊ,[YC@@.Rͤ8IjtpyTrot-6KR?B.2YŞZ&*4N)3o nzʊT4vv/Oi_V:") p05?>sKb'o `x(|)U6½s{찛v[Ɣ4s {!!_ S(g` EvM`Hk e['31,Vs?#oJ endstream endobj 6333 0 obj << /Type /ObjStm /N 100 /First 1015 /Length 2803 /Filter /FlateDecode >> stream xڽ[M_cr/@0( CA~ 8>՜r|3Z֬RY-QB5Xh4vГa)I4?$'{@Kd5Dzn muxf6BP7BE:o吋zE6BۧcMy[zPyj)hM~Gmr9ho}T@$gZ-ZU1L-X1gVۼc`pl3@%5g!)Y}43h6(Tq<@fn+}"7tĹ2{.F _|:..;ВBۧ=4ݐGh6):9>7V{kB/ۧ=@TMVR蓕bBd1Jaۧ%[hY1=@sR4'Q|.( 8͈WA*4߿I˟._?7PhL/XD`B-*ʈ\ex"\ ?<~o~~X,>|,$k4D)|!zIΦHl:7 mňaZ, f~¢ԲE]`RP ,B >a14"o`lX=_F0XԘ!-VP 8pDbr+vx>ݙz(1j^ I=yЧ{yU1dBteT@i(+u{g^NX, Jla^0=F$ޓX:$ ^KnhY[Hc񔽓Q@}j81Y a:,- qh 1k[@qW{J}pSo`QVN—~ XEeU ­U,+YWYԅ{EEY,k,j E*-ȂvqEeEfˋQϪ/$hY Y.XYb.ȂvqUa;.(+%B u+ Y.+WB]:v A,֭hk=F\eݐOXmX,-=*';7%E,G:9jRk cA $JE">?} Cϻǟd C-$̏?={P$*jrЖ*±vX ΡH7C*"x,,VNHFi;^MGLpPiəWTiAJM(j(2V+T;鏑}CcҼڸ7 ÆITڽ8YokGdg]%z-iQ-m(VIv'cgOAVf1u$tx>6| wZifdy'aceU@*DCZt}sc\f- YHfSIhJt,Cd>b͌:!ڵ?i$y>op󺲾KLljƐIi>/a>=_|kUP$/Lt`U?vlG\Vbn ?=FYBKW + -u2**߳ )}^Bp\!Y&T$3^Jޭ͑4kLMmGۮs(+10@:J Caqv_)~|1wՏ(X,β+Eb8&E2ª:N3/]}BM5> UsIrվM c}'%KNQ"92,5=X~z7߆_y~駷Ӈr> /Q¥W7/o@5>`]sV?0ԆGګwq7(ep/x_Feq\<%6̆Ad#وlD6"""""""""""W"W"W"W"W"W"W"W"W"W"7"7"7"7"7"7"7"7"7"7"w"w"w"w"w"w"w"w"w"w""""""""""RbCl(FalY,D" Bd!Y,DDDDDDDDDP %YD4jШA4jШA4jШA4jШA4jШA4jШA4jШA4jШA4jШA4jШA4jШA4jШA4jШA5vѡTZCK%A\_?ϰw=~?zO,) endstream endobj 6492 0 obj << /Type /ObjStm /N 100 /First 1015 /Length 2273 /Filter /FlateDecode >> stream xڽˎ% Z&% p U응 a8}n}6 (ފTFK㨦xk4ACQKR/3zoap8ir"8 (KQ ͷ UR¸bT%NI P%e@qƯ *0bQ!BZqiҤ)oSHM!M"(MGQHS| 484us Ҵ-}xAH^iZ>}z{|>Ƿ_|_?o}5=?㯟KO@C{.rmoӧO]z_7?ϹUm7@QK^UvG.J Z7i5w.Iƒj\eZ[V&X D*|b UīT=6w(z dWQh; ͐S:S s@qɃCPEl-2C޾Kds &,VHE e]qtu ɌjjL4H~gǪQ!.M\ր9 ǬVl5q$LTE0d4e*y u-ګ(+!E8eրHlImYT48(,ltUr SDv;[f@hڑP8u2@(pCg]m "z*Ot(.)\g,@PtJF$(N dfCyqfB@vܦ*zN2=ob%E/eAҽޠ3)FdV; \Wܢ-T,j BQ2MDM\ERnJ貛` qV@na&{ra^2\J.m&v3>:DfkIfª%!)$I uaC`Qh"f.V )U8tf8ݶ"t BP!B>@8e(ڲD{a}*TQ bkq(gEI!B 0C\@ ꁳ΢\z1Pdzl2~̈́6"De߀E,&m܁y6;ʳzBgzM! w &jY siI(*~ 1qs5,h,n@3 a?K̼lqKn7(b$)z͈7(bOs)LkX)KS (qMeReۨS :%Eg)FK oSbꇩ]2]Aw;7L5辶kquOm4a{ J(glj{['bjiHh>SrM#r4چJzz\RL-)".5g>vimyHş M1W[HT"ޛGK*lc"%2/[㧡ebD)N-"e.k5 8FMԺɭdz/H|ɫ`28c:]Q$~KU&X mqB&ꢊg' les6m_MF+r561q+rP+r99:݃7MfÛu{I!]4#.FH?FšAֹXӋ}uO/&YeArf y@S,3Pկ)̖ZEN}fhP (}Qڐ&O <_C̳:R'M zcN@̈ ?A4ez-y=<8;dvx +qU endstream endobj 6672 0 obj << /Length 1714 /Filter /FlateDecode >> stream x[Ko6W-t-,cۢU$W/Iɍ-L6]`3D0"E bd b)lqJS_3:2G.+V"Rx0ЕuYhp__bm.̘Yiǂ([ [ (f1R@.1{]V$;bG5s*%C%ュp,N% !h5Xa ` ` ` `` ^Y2jr}mYiQOt$g\JAͤ$) G43R3KȿQ r%cqoS/ iI'? a?@agwcjo\4YϼNSr4a\_ LxmwJZoώ;`N8q[OG$Y 0mUi&̡b0|?D`-)Q+BQJ+u%hb+jv lrxi7ЄG7%0v}h+LdMqu-쉸ٕ_-Cmqh7Uۄk`7P}FzR=WS6/\7zm۽څ}!ցr[jf6Ge6 .@v脥2>dP\r46u SqdS`H̊5Tኽ gb]{/OxU+*"Gi e4}v &O+2Tq ,FoXPE7=8ss;ṝKS8!6\^x l͛s]5ж=i7@?pDۮuUbC"/S-I]y6n.UnQLN>Z6v˕,DŸZC+ [)J+.i26 v5Bsk|KM*.F[ XȧLj[p.-c vuQ隦 tnI-vhl(Nc| Kqqbw[qځ黢k;$q:I02pe!(umC n sD=dW& ~4 -^JШЋ|[L8$9n7Ek) V;9)'Wܯnz+[ՈJfN2H#|B>S+oEqԷv`B_f4SK\[N1A~4JUePt)0L_g f-UxngF}o0%2]SӴ 6F~~jVռR ]਄\1}]xG|)+&>.v;;ntmNg/I endstream endobj 6493 0 obj << /Type /ObjStm /N 100 /First 1025 /Length 2860 /Filter /FlateDecode >> stream xڽ[M1pXU" l J$`DAcLt?&^=VESIVx%6FO27FR!4*.4678 aoHr&RNYkOԤzk$ҒO('>RI\ϟ*}:[gMCx# J(I5 $VMYYMVn秖*?%V? (p~%uFyoTDn{[MʅGSDn̪V| ZO&熹:W͹t8.UΟ>GcXu P%ݢ[o7FM;@F!7, Rh4HC1yaޥb F-,N)޻f&N.X7:x\J(CBMsOH 6Q-3t gX rF%X{ I lB Rn2DY@X"YՃr<#2e,枡gbMHN aN"X:+]X Wʵ'aLPa}؛W%bIxD,!DcoW tZ]k>X~ʕF7ٚƛQ0fw+9p&ma,6orr` wP$ʁ@v$й$ey1\+mUamꠕjc!X<wk\,.:SCJЙ;^ _R7xW({!T e=uٜኚyi{z߮$^k #niR$S2ߎBKbK,[aGH,@ʌ2ܺbiEykcQkUXYV,\Y ,,2odQIm/Yp(5 iyR}tz@~ eo{e.f,nX,5=QKpI&U(R ɠ> stream xڽ[M%ݿ_eSUI% @*nI` 3L9G}޻qw/ntթOf#f3\ԒԝlN^hj}ooZ[xUOEp5zW $7$7&]xeIK&@UK7OZ @G@+7_0+s|B\5"pKf5Y덖ezzcLU*%U\k+K:F_=4d\z3ArQaĻv[..~.T׾cS =X'~{^:;5MVR&4^-u2=MV>sQd1>ox)i(4*z4H#'\MciA1}guԢo$zcY;WjWSvbE+eQ˅]r"X^epYre$M\&=ݤo`7h8+vSYf vh[+D7vA8Nt)!)pcELE>|x{?J~w~O|,p y?5}kמ)̖xCz._~?}7 4+8%Y f [1-S?@@sd+w*AsMJ=70Wqhp (BI} aD"fg(bi$jm2}`#?EH']ANfO(&43Nϊ@Ɏ4EԈjڞP (65TEb7a(BJX<<{?a u V"]4SP( EdX3b (B8nw +fzE5i1sQRA Q d@mM{Ft9#M d X; d:@ŷ̷ʸmaM篣0<; C+(*͟P zEHv\A;[1R(k{-b&GyV˺"wZ Ra!'cfܛ*!yK#Zf{YlA3 P!v$H^ C :-5 )VPD-YARke&Cu+9PAEuE[E} :pZSEr':1iB$l9Em\ x ) 16wAD]!b(.+B{8>d }2cH>>|C&T=J{#yMy쵃WAy +ͩ(j#km<(=y݊C[`?J̉ BzfS V эo}ofcKyImW mR*X$R S<SDSjH: B6ĭx"b2V}}YE2s?4@jzGq;6=GH(s ("U+ABOe+ h=5큢;FPH^d1Q$$/M7 0*Rv[!:T1"!>(ˣ90 @vAM<4< -؋&DʅIg(Bƨru^wePDcsi iQ'*O@4ø"!7sD ױrhU ASQ"QEbh<$rED$&`l1>vBj`Lj< 8GQ=CANI;c 7PX$/hشx )EQ8w+(HJ`m6D`΄G(k`ze(Ċ:;$X FPp~tX9d\mjyP_r O5#_{_@sy˔zaF1T!^Py(~呧Q!&O((WP<ܿL endstream endobj 6788 0 obj << /Length 1520 /Filter /FlateDecode >> stream x[Mo6WBJ>]4nQ‡- ۴#XJxKY4bɤIJBܓy*`ݧ g8l,-ֳ/?_އ?>C|n a=-aϞ{<8jWmILqW28p\XxE38cח#\`?2r<3 :_H0 ahM|d8 4; ]?Vp'n'|]$ˌ!k}9>GsK M ܹun"\] YZ1>yt]q}0E"}Gh"쎜Ë쎓,7퓪",uUUUҼ&!9a>`\#V^ Cow}]9l]@Y&]Œ Ab@S.CqjGK%T+6e0Ay:(ݥdt[z*6uzX'U2kÌM)E]m|pH9 2+-b|HEqEUiv 1WƍsؚtIE\|Ah)JKΡR4.vXkshΉ]Ꜭ}OmӜ!G͟ 0w%NU6NE!d+g7hGS.]9vsHZ $ڲW{`܁ '`\4Lo4ާ"7^y\]Sj}r@0xqs!>!p` ]bHs}6t CPfKbv+ \2kq s!*hSeCG =s h< K]X tCj G}缗ˌVjg>0."%7/hsVVI5^bȾ)ds y>dfڴp@k*1-*U/\ڄ9em=#;y8Mw6dJڴ/8DJZb{mZ㧨bHݨVd><+e6 hv k NO,+啖gSV-@3{z"Pњ%>ʓAւAV鞰%AF}􇜀&ӈ E@'*&!}ͦ*ae=ǡaoħ-W(UW P[] C_@-ZZ?nI[=$쇆/ˌx) U@W/A | .JN(w7GN0bPsdiq>xF:QߎH[k87k2L"SL+@7wA%u5~!<`m9’5]ś$j&̿F( k׎['.rdHi?Mex endstream endobj 6675 0 obj << /Type /ObjStm /N 100 /First 1021 /Length 2699 /Filter /FlateDecode >> stream xڽ[M ϯ1ER%X`?$@I A³zͿϣX3{HU E*5驤d$|@'>|PS/MCZbT-zQwciIԊ)%2q4D[%q)>Tm2Zshw@GNΠ (bDI9Ir$R$&i{[kIuѺJQ \[\L2G %m0N\jQ:x?_Rəv믺:@|"0h=Y1_xr%L[ JV'kӒC|QeX-uRiS:#J}?*iGR`׊;זFu`F#QO| > P**TxNaSP(n| GɌeTDR| nJp; T,?̈ae1l4jc6 ԝzfּrc6j~`6c6lX~@0y^٤LlpeblJl0'&to>cbZ^Ǐ.o~_7~ @?_r?.I/GĎɊ\Kqŋty.zx.ߥ?YL0Ťu',Y Y mgQd7bX*í4 O,m YZ6Doxd%rAV2/VٱErLR # "+7Lj}0+%9hsZ'!Y# ijF2$DbJD (Tߛ%}׽%Hཱི zȮd-|<^yK? K/>=|w/o?+| 6?|Oïߵw3 H 5H堐E@*ԟD2̒oaPyt:ba {TiQEU6舄.T@RYH0 8Qď9rXXySw9J@9t!Hѧ$h=m`xiG:%Q:8Y wb^PYXGO'uF.^z&jTsT]&J9gx :rg:+ LIBs?YfX,&+-XD[Z^A@ Jz?]BbO[8П' s)+d~vlX;o[_7Ʊd=o[BRgc č<{:㪬ԚuLq-qKY-JǬ=i:jk;'46NʶM"]oae|w8PHzOY@[XLd۱ 'jw-]( $¶jؤChvx٤y{,6aq7ŭLal7iGRa )Zrت))V*_)̠ KvUYA׶8k+W y-.I̥?};Z8kZ[n'H'H Pk^k~B7@q)8-`bb,yŠ>: {MUB Zh/ ̠0@Axb̻Ѣ73,%IF/CI2(eO endstream endobj 6926 0 obj << /Length 1556 /Filter /FlateDecode >> stream x[MoHWpJk?J;3Ǖov0뷱Iqx2CUUկq^}c~3 $H7_{QEABz^o %>pdrzԻMyQUEwKbi>fac^ӹ>6+\t?8^2Ey+5}!*$q zktQiQ ]vrj;Fv݇kpW\9o堟faG*<|ȪU]UdB]ՈAeޑ3MdO3~3:Ո^=ȈCw p(!"[r2Xvi<51_H 4 @2)Rtnr2L.W (0i4mZˬ-j c1\KBs~]Cы.:+E|LV.4& LBov $ߏB'fl9;ybz#W RMc$kO!L!TWu4BPRx+RZ)SBeݩML;T`a |3+hC.MPrr$oW7i?1ry^+]678Ac8A熁.J0)P,jYV<4--,DU,@1[Ql~(EA] a譝F'4e#zRgtT*|oWyr1c^|d>B^XIM; cᄦ>&'BtfU3 ӬO>MPBYכSV6P5 mc桝HuqWHdaE.u~ 3LYU";ǴOom%Ek?.Ԯ{N@[n( SJ0d!+"SUiA|(wTLJ"Ҕ'~,p? Jr4cx/&ߑ`wC(XEQev0>oKvE ߺc]L~^q(t t:[}8 *{}||"tYREmɷ3.]-* t)LD.IWۉ /_Ll֥T8VHˊJpVte"*1x@`s_sJK`F{FjKѻ&-@qݻ_a 0zkg0l/FR`u yLyWʖdxE`+$gX,v(v ZJ`L)1`V1*Wp\9H0څfz0".Y~xY)m܈ .) ƃE Ǩ 0襘VzO ^E,2llӧKrM= endstream endobj 6790 0 obj << /Type /ObjStm /N 100 /First 1022 /Length 2779 /Filter /FlateDecode >> stream xڽ[]}_яK߮a-=(L̮V]=xBZ{ԙ^kJ$kʉD}!BEMU/, _ԋ!#QiZqPWȊJ5uѵ&%.jKLܜYuyJ2v8q_5X5MRSs7K"Ҭ%Ѷ$F'ZI[ xx%ukiiK…[e#a*| -RaeH!xQqJ]?*аnN=]";aI/0._`H1Q#eH:p3v4&TgHcV̐Ʋ~Ҹ._sKw4v{c i kB@BŘ6 sa,ZT8b5,b5{ fy _"ue!Hˈ(!wYGh|$BAOg /%,td_BRu/!$c9aQjr(d,>䱐1唭$Z]Yn, w"g1&M%2q>ٲ|F2&g AGLⰥMB_c㻥M@ڲwCn<z3ͭSj{Q' hOC6 m 8Ιz_t0w h=n:- ;/j.7td ob[f=*!:j;[E'6N】~t͖iEezk ZI?ԀȔ>˻ҫ Zt{g _xo4]^|.on{H|נtsw yO?~]~v--j1Ԇ?iJ?Ar|mXh,/[,Z,z,֗_łc!XXX,Z,z,YYYYYYYYYYYYYYYYYYYYr 5k @\r d d d d d d d d d d -[ @nr -{ @rUr=bG 1#{`#bpD 18"G#bpD 18"G#bpD 18"Gbݜ@u9x"TzBG2qTJZҶYxsOe d?%CK r'$hh0w_Sv4l@CYsN7׬6Wpڽz<i r[['!i3sH/,Xx m KfI Kh9:V:nkge,Lft4ˑt+7Cvߔ> stream x[KoFW(5C<6h1Z EZRQAR.):v6(z0d>ݯ?R:d۟q?\t_x_'H$Fͷ.5%_|~Uת\% !\~`V6/^>l;iW՟}$tJC{Ar:i'8UԻ #Ҟ/d@hyKd҆I.\C($@;MxqokDl`H=Mv*^|J|ϷU!2-բ.''% I2P 6^0s lBh9nG8I>A`$7Ax<_Y-!y3['vGS٨9I¦[;ivt. ̤y('CFPx[L̃nM1jX >ia"-yo-r`'Pv=9.ngi1|e88z PQ`j БB(]q'jmju*h: 6᜶Yi E53iEt1]PS\uA_22r&͗YK,W61B``Dq>8㻧ZRMӒì!k YD Ax&cX1Ǒc_ "z4?q3EC] ?\cTF< u*,Sp0=xYR&uZNImn* @v`\4soׯ`$ԺϒD֕i~I;Bn'`#T4: ]ce~t/4ݬS3?,Nmq#|˔30 ] yS*mځmI02(pC0`xGjJWP-{R"2Whuj` NjlP ğvOND9S5 Խvj>_IЎ{, "WlQΓQ7j1(j׬`vN߸!PS>LNj'eB\Z4hPϱ#*A c0Cm3Y{i:)RtF=\jօ{`G }9F=tDicUlr{i7vԠcsqTǂ:answiZ7Qȭo{eX(ٕyq3MQz,W#8T'x)˾e [ F[ Yps^ZWIּG:фF荆vY΅ACwOy).ċbMbUi '+on1p 2؇)ήI%*ǔ74hʱ[uHvoPc endstream endobj 6928 0 obj << /Type /ObjStm /N 100 /First 1015 /Length 2769 /Filter /FlateDecode >> stream xڽˮ)L6=+I@0 H"cF ɐe yŞ5at,5UJ-U F {Vl {(]V;B\ -R,>\}D ywx&VBcFaka8saA.PAq-<`|!u> •ՋdWj]U"MBK"}4@jQ6+-zk&[kEm(kSڂ׹׆>]iwX1{c.KEP% r;PJqL } #.P0<ڃ7ZiLKQB qshQi Oh ,z|;tQu:AcAY|KTpE܋L}@ZZbв2|!mVFd|ArH*Y܃|uͰ i[3,bT0F#nk1ak<~CyMֶ#&[Mb؈}^^(oO}WN_?ݿ7%c'@E-E*Nש[ f 2ݰF|0L6vc>‘^j)rFUpg1Xk\gj{D, 5+l;_ ^QFEEWCRW0#C6;T,5 }CHrQ=*>]pӶ]H Dkbc%tn!uC|& VG5w1]6$&aύ;("M"L}hN{tŚiP˛lAČfmLSpiGLB*X=7:(2ro } W]D ;DfQ*@L=TWbdFʛ#=VA BeUcTqijʡ Y9#ö~VaHKX"u G"‡K|pDXq *Ey.n/T170,E8y]8!EJ^=pa5-ہ7C]EDXX‘ #Ql T> 5nd2]Fj~H"Լu܌5ת)CSP%7M| ~q;4m56 ڱҠ%p?rC0Jxq歱[̈aQuzq _9#>f{QۆHX"fD"fջT, %dq*D`z, yqLHG㬷D,diΪmЃTId$.4OO6t+)[revY")"?oAR/3޺< l"8VE5g-*r߂TQ=h,25_5Jmȭ3V:r>^F2gP<+_T(o;T=ς wqQ6*VG*<ƱAgE Điz1DQNkl\0wQ1'+x:} DlRqXYi.*`;T,L]h]U0rU-|}yH|WĹ*V+yr,B.8,Q9J}ң,~[a9-=rO?,' E endstream endobj 7094 0 obj << /Type /ObjStm /N 100 /First 1015 /Length 2308 /Filter /FlateDecode >> stream xڽMWhltU_* $$Ufv&Ib0`ȿ[}ݽ(ViۧZiOD((غdq]2*c]2.s$vM q p3Z^7(ң5 u­I0G `] vU t [^x'w\H6*"ŌùH߮J_}] ca"ָދnTE7*4i[=fQ`cPѢSǐbͣbba1ǫG/zxN(k1(jhm(YI@+^-.ɢ%nC^в2xiF]eKw р6vUl:L1087GALU/sQv24 f.l땘ФNhvC/6f-^7@n34!<@BLL"  F`q`4~+\c6!D A8-ȡxa4zFcB1wsї8tM&$:ݻǏ>~^_^^}ihx__֗׿0x2: {W^(_χi| %Pe9ZjPKkºPeRHU' LN,¸Bq?L$2[UꐥUCh8L &M|f~SAjHc*& DFUm7wK4c] /SR6I{R@: ! Lй-N}-T[uī$bp3M K 3B4PD hp톆hoO ѫh\SxXPCx)}chDP,z?jv 1R Bp@kTAxB.u(!!9 TK!p%Df5zBt(Q&v;q@v 3}n&ộᕅN $S;`'Lrq"bZP  ԠbH{ $Phbˍkv fĞ7(2 j q[uŚ+~P E97;  X Ǿ%Ef\˅C.z$2\\\Sd.;.WɩC.v]..)rSQAH}ܡȌV"yRȬnQ$EBQ89(#E7cV^xMylXU`]cEQ "AE'E"bMI)^cW>M91!ޟۙx޹SURlM(oA8L?(1X䅌0<`"Y;!%I3G# xC鼦H-!E}<) bPdct}C1;#S8SpUι,@ϧ\0{%!:3bۑ:z o?ۦӯˆcp%[,0?o(.~Ij\xl9-s@dRéhum?zlP?٩L=! q71T8":٩떹IbKoBC>! qbDPcYyUh)oZoPd U7 gJ3Ι aPRDD} GA7!%#&{naYثϒxto(X%EN:,X,LbUO*Mo =T\B|bDq/}C}8%8(9 5'R@Ҍ{ k :2b") 'LfH,ē9-Jr( Գ?U$ba& 3̈BNƉcP[P,K2~PH&P]; zL"!@L ;6?!4ڸ(*o@$FjOIÐhGXʝaz͐bfvGR g; RZ? 0!y`b;eVhT!ݠ%z,1>( <)`[5̿+(pSDVgQM.jG aٶfifTV=WDf_adPǔ qoCx endstream endobj 7291 0 obj << /Length 1665 /Filter /FlateDecode >> stream x[ˎ6WhEEig2=Ȓ+{Rm2yD%3&Ͻ[{{$ !ʋB/ b?`ܻ˽OoDݯ7{>niG<^km c_P~a#^n~ÍRFAon 9;BgUæ̧Zb3aV0C+F_ox_UЏ Xd~u:s[&OVW"A9Qvr[olC@~Ffm$g;l؅I3: 3(tƌ[3 ߗDp+s'3.%l$&>/ +vs|~.i1Aw<ʒlB-wWO`"e6 =7Z|g$$kp~37_K|FvA$U(ۙG-r_-Y ް׃Za\#laH00Ls ckNyvoǜ=ё -AP`C8hC7*g&-qJ骬3C!R1n6~/,>-I6v)CF("{Rf+ 4kr>=3_Sc$Tj'rUUrRI} ݙ1Yݙ6C\^\LPcpy?fڞ'mÍDeQnu+ OP ݊_AL2!FK( )>UݦԒ3~Ll@B$J5"2M6V 7G}#O*'([POg@"Xm 2qA&oh:ccc={c٭tLq fdĚ̎Zr]TUQ UMBPaח ^麩ia|R" iEةq HO8=UVOt!d|iT4?2w45&b1OBGVV]`kj U 4'4kkZjЉ_P)vyl>>E+@OlƁ y*a&ˋC*KMY&#d2/ <mm$(S9]*'2=%iӠ()tq{F8¾7[Ѧp v-0bXCzzas3DI~Mv3ղnsȹ ?W++lI$fLNIZy]RQJD.:*k;:PاE?JkS׊(%KQ "jd*j'4|!_&߹-x](X:44ma=g]D_W m ǼpoܿWŪv%nX6LkA>BW8Aeb#x4u`rڳ?dHWKD0Nεe*ڤ E?ZI4=ѾXe}5پ\@gŰZ1a8_̏(cLRnã3_F endstream endobj 7095 0 obj << /Type /ObjStm /N 100 /First 1026 /Length 2880 /Filter /FlateDecode >> stream xڽ[M1pXU%@}H"ȋ5dp}^wyWj[%RA,{=$XAP5oXԼwA4 mxne7]FvMASrUJvAjAsrlQ 6gPk.Wq#;=܇jK,;еFL^-\vN*hDPE|EaM֤`Є5iI&d4g55e`M8 ִun.up5tIwa ӀN04Gu,nWmpe2M^ëWc8}ӷ?ӧ?Kϧ~'ûr오R<, | ws2zN߆ӟ{ ?ǘKc-`1ZTY)@7Xk'a-D$jZGªFZtFO=,,dg9YTm[~vaj7"X=n`(;ݝT@^"#,ƆU: [9#I/~b΢$pqD~pK%_EqvJ(708%R$pV9KDu.ř,_XhC0bIx!SfI`%|Fq^'cYrd8JiGreh#xG57 H"hk ?FEaLy. ,=D,X8 0'Q :ޖz4ad{/ 54j^XEˆ E]C<6H8r/D:p'J$_4Bh`Chy m q( U^RZ QJB:# MM9&9z_`(JZy, ꣧i% 3ÝB~DvbX,|rfFo@A!2ƌY!qRKlHQ(X8;W3.,P=Qoa! #'yw7X蝨cmE桫$-|YnK/Pc$9u+GzHʽXp(ȂCqʅTA%9oXZv tyN7$V.Gܺ-?T><8~ U6G̽zt|> stream xڽO)xL.lVH N$r}[ kߓz-T?(N:RIM$1$M,zOm,4lLKRyԓo8$x].MҌW Kң&-YO*HᗮD9ƈZjJ^8Z 7&+YKEyTHӇ^7oszDFe(طݻt.O_9}~&@tI-;Z˰ɗ)t*w[eDݗ)-&RԒ!Drgj^|بx;B\ B .6ȡo#L$Irie qK!w,#آL-F[^HSmNWΉ"([yQ&R 4~z)\1 +emErg P 9TS "(s[5C|JGg&N.;b,bh36 HSZfy@6oqbjF8tރ9wds6b14,\IuN1-ws:3wf@m=A]mlw1̌CXx0@Q9% khّCd]1Z@T&J.Z~ЌLWD sɛF!?6Qb`+S(v%"n7PIn-sܼS"?;^ՑNH uB#y33[L1 j9e0 DR0ZA@bqLY `:MAe j@+S7W.23ʻAbH9\RTvZM)  UFާ_CxsraU,қwAܥ9T^tIp L*|3]0q@ōDɑkΤ[ttQYt찃k]7}ћbe)LAXj7{ĺEWޥ4d3n 8y=A/23D- εsɅKwR!g r[ &0ݨFbb0]' k>>pqGY`*q@C;;1K&(y<3ELxP CRan<~T=&ڢ""P9v qb!E8#5Ґ *+W' ¹0 e; EU[]h?fu) _!N}Yʒ=B D!#B(ڢ^;ID5ݝ(bb/p9O)jLB¸vbfDB/Sx,b掗/|/КN,("WEOnSPSEPJ[J+ A4u1N$ъSL]-Mw%`HuJ3D%#4w (ζlu= v@ }3T4S<:KFzzOSpks Ma|IgYp".S=3wtm(ήPt ({r+3Ş̽E pn7 W(fλRȅ%nLk3'@V "gFHy b3e RYoAڔ!GNQ%+SmW $(.ie Ğ 0!aKQM.PF7)fVSޣQZX~p]z;l1GnkU[g372cS%T' (P9Ԣ+(+g!x endstream endobj 7426 0 obj << /Length 1533 /Filter /FlateDecode >> stream xZ[oF~ϯ10౫&ۭvR䇭VArq83ٕ+}s v<Ň͝乑!gr ufKn]]c/g_ۿr?}x*ė^5cQ"a&:I,BS^~sǯ_c hkS,KȒ2"!G-d#OAR"S-d<ԘF+/E?'sU2|0>Yv# 5{i';^2lL\̰16u}8luʒEC'mx&:~hq0`FyӼ酅"S|K{@- Y:X)Qhhd.R**@F 옍CҮ}xٖ5,G*1Fnqx'M5"@+:4TQD( {Xrǎ tb1Ӻ:&DMHb5<KT]>Pd]E;>Tát~vh4D#?v[0TGwwl7U:4OTu$͇/`.#T< \1۟F/m+&wH MP:AB IY&`f ,)(xss+R< }dE_{ҶSz,;auY`@"Q4ɶ;ɏ$l;!l,yvdDV>tpa`Fv0LNjFT `זu/pG7C%Yís;٤e({M)0^ gґ!ղziC+lK׊ 49v/yd_\9b(D'P}Rot JY ="*L)%.t Qd_4t _tL')cU UVOjC؀/i%3d㹜0XXi^AyOٜbk>p(ވj@W dh28Z  eUèF 8ǫ&@[SʭFj z 8:V:?oUT|n3E}FH7xS5`ـb~_._ endstream endobj 7294 0 obj << /Type /ObjStm /N 100 /First 1022 /Length 2791 /Filter /FlateDecode >> stream xڽ[]}_EW*UI`v8 $`vaYS]};MR}*XJJ"P}PN$ @`%*뵞z\JtyTk"c'$TR-YhKiZy*ey'\ o0*'˳&yllfM|6뉻5a Q}/IHS #,uNҖg$jK׫dW-ըs_ڰڴדג MڱEY}u91}3.*ܨa ^FxQ{HS'LΕ|S㵺U#J7cy8 ZJn)5, U0z6|6#<Ѐe1`pu"J[,[|F:ZaD 0SوfF*fcFH8 ka0hހ*7Ozfg 0B:ull0F:3XaE1lރasٸU.uco!!wϞ]^tOw?_~w~ B7?_r5-?]~)7|eP"3V}=KOyïo}[?oÿ"[p#V*;aum" yg-{lɢ5b @x) 1*#b}V~YJ;j[: :P+ }1,EA4D2ݳXTގ Y$4[MUl "餥Ylqܵ%Cܐ3y\ A8k? V4g/aXzA"l& щkfzmgPzaEsmc掄]pC W6?Je" +Fڂkh.,'Yg{̢TNb!+< _v!3EPf"fTLH(d&$N:䧝,靄 |jF |e!\.bLdV}ݴ*i?ci* w,b 1qm4Ru-թЙe+ Z><ĺ!( !’ƹEom4$RLXCy@sOzFYXD) XHL#>䤕2E캢/zJPA2m6AԳ'ox,8!Mp"6!Rdx;TԠ屄LBŮNڌXC.Wb(Ri~HɼeM_~y7xxiA{AޮEh\n[y ^^~xx=/oқ߿K|>z]y?_~'vo{-- ᥍ /~ $r㲈1Ҍw>K/~h ,=cx~P j 8Š ))))))))))k @\r 5k @@@@@@@@@@@@@@@@@@@@@nr -[ @nYYYYYYYYYYr={ @9#G @AAA A A A A A A A A A A ̉Os_OX!B-fď Z,'&p5*&LĒ`Vŏ/P[ϕ36;-)cv ^PQ_C&R"/9 1vK}%tDbiU^Z;Z4QSqNX=:*I @8͏z-9 TY~X`Qߏ,fxHJh; Q,&xe/XM3$=48/T8qRinf:槨SpԆ:jM- ]"#z]љjِ=!֎+<> stream xZM8+m363^vmHQ Iw60)ǫr+=xc;$~v^x}z?$_@-~Dd.Yo?\q,'ÿ?OGQOD>:(DQ8OZ׷lO'Hju-L\j?IKGi~ vZ!}$ qZ;vRz |`!/.ǚnӢ`쀠LxO4gž~Ӏb(6%9-6Bb[C+Eb8gbec֧FKAۊ)uBA-vK(hWTY~;&+lqo b财9Rpqj‘BdRU ~t)(f']Jp_oXľe_@"ES>.NpJ?<.[󪒱;ͣ_VdN!C(ݲ)~p ! A2zw\sU漞5xfo#kq6<_@x`XING NT`L"o;(o+yØ?|`82v.\RѼ7jPs^nl2 uSuvB>=^m98>A ߺ9\A5Z)sDȦ`]h^J00{b fղy}uu+2IeM:"0X" rb[16leagpu0e{l l-kZAt3afBسyIUci^DB("gKcPz,ϳ*Z7})q6VX:֒mIT@6پRz% вlE0[Tӱ !/ ']kMQdŖ|`{`ZӤj)2_⊌[A9Q+{? `p6aX`8-W} ]CfP/FtT4~?q֥Z In SA,}Y(IE0] iOn2ɵv9O| ;B ]rVR,?WJ! endstream endobj 7428 0 obj << /Type /ObjStm /N 100 /First 1016 /Length 2659 /Filter /FlateDecode >> stream xڽ[M$ ϯ1E$`a$@,=8YcXQլ\MuwEJ,UʩV& Il7,i5odm^S/#а4%h1 .;$`8Y|lkKI|ty BJv&GٷiekKnTeu$܁KBg) C[IHG$fIh$*nޒXw'ۯ#g:J2J16}GM.ޒFnIw`.zs Lju#aגL<ٴOkMֽI6Y ħ'$&3 gw5u-Ia04u!%]-uH}sFEi0`;UӀa;x]1u2<=_YSU*u>J]nTAoX" @6fCԎ.hL881!!~~[5bLFÎ-Fcܮ71Z-LP]0!:$=pN+YtL}5|/ܪ*Y݋F'To#.(DfD83T>#Z3?f!"g"7`uct:od\dmB"o7X9!edg,oarF ^2,^&PI3!UgiF@=*1r^: epޗNb(?&a)J$3HM3P}FIX(p3g$ԲIJQwvmvNb鞎Ȝ\lz!(HW NM;/Ha+-( 3lcA9j.pd!Ynr iF aaqQToatPwJt_g4N#=+ۈpFdwzegKO7XNg, [|,@.ҲWBވVR{v6Q&s#ѢתɂčodIU7^6,+YUpuuQ,D4Vavoи҅dk,#5X/)2IEUE&^;?O'_۸-Β]욗:h+uY$F%$/ dggKuӽ+i; +iWY,5E0QZ3y7 3nֱzdf%r6Qb_wMXu:}%?Lj ï?>.zD{~ Ѽ5ynX)(3aKLS; I|H]hBbAP |*D^hVƙ3riX^yҏl*欼^uX_y { e0h~C?X=̅8<,dmW|^qH;ӽ,.^%jq;> stream x͚[oF+xL0౫&ۭvժB` Mv}U Op3> kk!Ň͝-lZm,ױ\و2k`}O^]B.WWrm_?}#]SQa.5ՒO@; ]7OH2I) -.)G%?*S}xa})uZiט،9M+tM)Zi0E#C6R !? _ i0lq 8A+&`}uO XϱB~qQ"4.". lY$<+!4c]}DulxW-l0i/rjS{s c z ,NA$lŐZqyLg]l{/FՊSR) {eq0n7څ6H X?%>Se*eC)!t2b4X10J6smprJ r)N#s}!ʾQ]gd.UFZXꫦf½fr i[LMS_k3 d+Y:w찃G-YtkǾjE&D\U}@~&R=@jq04WaX\# QSHbRzGq( N9,#0N8Gma9;iR^AIҾ'Q -mL6}n X!pmJ:/Bd+WUJF 6̢|%,0(}.5=fb*O`mkyHRf+>J =ƜɊI^@0DlH'GqnZY& ws Bmeص6||ϚlQQ+b~zp;ޞ%ч]cM1H.6#OC\ՈP*J'*V!uՏNokdF?`Q\=ZA^ݠkE{!B_WO}aZiq|&`iϐbJ;|ݔPaȟD5l+͸jjeYgC9ДnawF7?&D̎E*yrxŷgUq@_kt062^ cJ;?lE6X?$zZ~+|.N±ZiHͻ|*,@TWYPH1)1xzrEajyisl(i(i A.f0TND<*F(=r^ݺ|7?YbǼ)jwMxtP"Ƀ|3猜;1m e x\yvQ4_=6bL` V\'3&Yl 8ޫF/`W^1!rL?NVAX^dtKzy7 endstream endobj 7538 0 obj << /Type /ObjStm /N 100 /First 1015 /Length 2675 /Filter /FlateDecode >> stream xڽ[M1pX_d H!"/#֐dyřUCêݙ~|]OwiieY!z>BEBz+Ne:j$h;HS^hH^?Hpk i$Ġ<C 14á72CEËp c 8Ȉ|aLL`+l6Xfp^cRxw׊%xxkg83VZµ8I!b5̠L 7紻gN}9}çӏ?黇?xڛӟO9}w}*K1k̩bSVmy~,?=z(}U,|sv z^CZ;QYX¸GPѠeP֎,X}>Ů`jPx7\B5^ &D #T{|HRքeyVKm"[52VP͊z mɞ]G YG:\˶+ ((* xյ"~#$Q e$FQ0MC Wő/U@ӄj*\ IUHêQJu~%=uwc荟0XL]ĢA"X`BOa1L L+m,d4;UX |vϯ+Z/@EC9XH"c~Y!),tRdcAؙ,op d]4B=RҀ=cKZu\6뤡a @[],fz[W=4{fTd z$P5-7HȞyч"dV{NVr=Y+6D5ܵ;oH E;Uѐݽ?fuk,vݐs c~(F kևLdv(HJ$؂ x6n(xlG4 Ů_ Ih=Vſۂ]aGcpPД> 6^qr{Bjw&4QGۃ\a8.hZ ϥ8SBqvqŎ 7۾PB'S& d:2F(7PE]Ӿ^\Yiƛ47E CLYbcE{%\\P՘C0 h,(fZ ҇=sHkbzq@7<7gh(eBn7^ٳJƢ8bI/](e'XY@_cc++hq D==[ @U檲bq?hC-iLC%"1 ՠk7n ѹRV l NEm\y!Jks VqApUȈY7UDBGe[8cQTЗеÂBBU?@e~X:>غRi,GQu;*p܍uЄ4:#lm v }]ɪAQ+Hu8 6 F-m,UlfZ|<,*C,PσƂƍEQfqqnтQyTI 4̂"ÒEhU׾9т̱jźGw"h!Q,]o.B(Eeێ} qạZE>rFXQd2ѪKyFf[o&", _EWO/?<OK;}>m|LJ>_vo{,E;# |Oѐ.?bu5 gA[ _VMR)> stream x[K6Te1BkbrJQZFP:2LR#O;tzw<ܽ@C<7bVSsܲeь`U߈d5Ic7d%iԺb!6' dU4 !E0̨./\e g #\VDžvr(lYuWLnZ,Eɚ,5@86=}^OTb6QPZB)k@Vy+t(o$~6oج4 ([c AAz&I寣9~ШWo|_pH*q nnW?2yʋ]:U7H79[jE;kp۷ S|hҊ>.*YNE-Bݶ(z %c1;KףЖ م"5BBqc6ʟGIBTVHIU6Vp:TY8zӊ6Ao{Qd{TB6lbف`kjNq:F_:{$K Ht4 VYu郙k:ˠۄqu` _"Ԗ] [Ԙ@[?L[W{<$^Oֹ, y.{)r q4VdsK\]rxO2D-N5Q[֬oGQ碰'i-GO.bՖpEk͋{_! 葘*?Ծp\ҏNѭۥDz mwbkR+$+D$]@JKp늹 O}o =|o3qkH/?ْĚwUwvF endstream endobj 7649 0 obj << /Type /ObjStm /N 100 /First 1015 /Length 2762 /Filter /FlateDecode >> stream xڽ[M1>"mAIl:8"0bh IW=P gzXXErrR,7ZjI?9RQG74Q^D H)6oD5z"O-'jQ<'^$&L*al%nAꭞ$m9 gg(T5Mbh%I3GnGnx[K7I39iO;%]-9i$c]ScD^ac>I=@:0'Y*X|0Us%a+mUkvxx1V ֨2 g[Uſh}Rݞw9V2S€_W.Kj])kټK.s6N K]mRCS7KNA"xgacʴ>4y+rQEGwjRn4^ +(*Ç~Vި)hxY O潕$'Y+E}RۥW9Xzqs1^r\J/ntݻo??>۟o}Ƈ7?|Lo@j--0Tٖf 2xnߦ۟{J|E1}B5ӗsQK{("܏HD&}w*Crd $وwVЩ+-n,F3M! Vұ 3.U$*0&:!vVXEz-7- i:{YȁJmfb0-DFZU, /]2ዪeLP]sGϫHl ӞX@VbI֖&vt=I{@pk{& wSZL C3t);YZ*-P;bFMi,b( nv+$ :Vv k,-vbFe36ޗ1jTKHLy7n'jիR҂^k)~ZjK79^Mȳ+:JE\+ b[Wf"r7jeV'VytZŁJvj.\2)@L.⠂@6jQ-˛`#A3\F6I|wr%l-Ack`BwuB1O9?egv[wmgrF^Pc.5"󁌓P"ɾWLh72&|.ڡ3P,y)li AՐV?0+×9gR #,"E(]G5ſ6N> AAvYeٍOm4XYa1rQ. ~֭(ď!Tn)\XLHY Q`";Y:U!]Z)$༟A!zJ #לxFzZZt;.ezv\Z̐4Kw2Q1!q2rz2V 2'c%v~05g|%'$0 2p.T}B)$@VG5&HCӱ%zBDOXN=5k&H\@}SJϯCȱBq58܂}&'9T 4Mv΢m5ٺ z}Qg^\.|f[NYxgq-< k:_c'SK-~#d,~07zWhP׊ o|xG uNϴ&~.Ļ@bY*B¯^mZwJ CƵM!4;tYl$xCm. &~꺡7X/Pe,z:o噹&Dŏ˞A&R ۲(2FƹJAb^V !Gk!FtƠ̬{+פ{l~x`?&&]ݯ?6~ǁ=!}?9#O}t{U} Jd֛cwuo?WOagGx;Yp:ϸ5(  FF5k @\r 5k [ [ [ [ [ [ [ [ [ [ @nr -[ @nr={ @oȖs4( FDFâѢ!+@@@@@ ZhBР-4hA ZhBР-4hA ZhBР-4hA ZhBР-4hA ZhBР-4hA ZhBMo^3q Lz齙WƊ_cӹ{3S`Ɗq gWV镕cn"u&i(/4ӻB.51үjxedaW5ش(~9,? endstream endobj 7800 0 obj << /Type /ObjStm /N 100 /First 1015 /Length 2326 /Filter /FlateDecode >> stream xڽM%WhltU_R @*d$C1">oϹw|`ѝsZzTzKݼ2BhVhPFbbѐo +Sz4z=Z7~C):hzhQF\׳C 5ϰ¼} (l1pn= +8i#^ϹϥHZDGVxEED>CxEIي&̤-\4 poZѩ7{6obL cLgg1ūZ=F;1}S<; g{JQ)c=L, |+`h#`h/(ZR}=EH{AϠ,NSny=T\WM}*>s˽̶=;d2zeǛK+s*s.Txg[)jda45޾C͌0$: p1Ԧ‡؟Wd"YC(F#ݾѨo=`4xI"w2̻Nی 1{$>"`7Hh0t0F iMӧo?|_~黆?;Z??~.KU V17Uu.>o|ߖzß Ub O5,b]_D0 1(W:3aBW|2!=FEx(FTmDN*XL)kC u6+Ή-$Rl_cq)vSL3)f7廦 5k*K V}@pDkL[L j! Ĭݫq?HB´q63Hʳΐ LTN W> 7"3\WdvLNbԬE(N0A H:KBT$)+I*G).) )R:cԨgP!)EftL?BFDBRƹA^f39WQ칔 7ŞKIT^eoS}QWQQTM[Gw5NIYqz7kKTu`@sńЈ3Km=GElm[W%qPJ(Uvs[WS"vyA<3ٙH=,$hN-Ħ3LԦdhjIV@x-8 +}@k^".uGd:&*YzLI!S@GqB+{阆i >?(]`EC@9,ZT[ EbL >"^'8y-[8-Dx"ZkB UIG@> 2s"yq? [% ] 0.چQtxG]̸Gcui(2mEoCUƎmEH?X !+a=Bԋ1|X!WeU+D\lX4 }sͫq8b CZܸ:!دjNn6=İ I%5rkT*.:R\3'Tnij\<􋘑FM/)ČHΫkfHqeVI`|eޯaLo@j[МGty57TuA@XT݀ f[:!b@nWl"O͞C]*2"~7(ʟ#q24oV -ikO[ endstream endobj 7926 0 obj << /Length 1685 /Filter /FlateDecode >> stream xZ[o6~ϯc ,(^$=Xu6Æbd ˒!э_?fYtHI}<:#77o4A1L0~Nɗۏ7w'??7?#E(f ŴՍa i|kD߱IA|dYK; g`e4QOumvW{vToz7e%鞑=!,G{ 5{NvXq0lxk}h%c-)*2BVLCJ5SN(|Be%0!Uw5* [c.19A,p!ĥhNPMBy:gA;cX?1Ɯ1ܪ7u"D@0N 4ϓEYmR)yT۝L",Q Dp CxQq~B=ϖ&v[d2IH1m XŝQ"%r{+ Z M%8/TI"Q$|3c( ϙeY=foLFo*ͮ`>yr}ƷMeҥ.>8omV*27^BuǮ7*AN-`);N]V.UBK!ņ] __A a{ŷUUn|f+,EEB\)t7O_ kœvcB|1 sI8/&{~d&}_aP?oܯxTBebc ?5~㰲ݺ4Pۦ.E%/"3w nT~ וCZWcr >-Ky &i~BpNRMc< >cٶŢ(a~^1Xʼqha%VyAгW(l:Y[~GTU* ? [b?ZOyk{ IXhPw`@b1N0n3>" w> stream xڽ[K ﯨcr)>A@0`[P ['z8>T45_}"Y${ޫ%ƠĭSֺ4B>d6F2vQ+)Q#N4&&>d%jO\e`>;nGq70uW(ݟ I"O Mُg?Zo$w1FB`XRRJRQRWVL\L9/D+k@Ma55@SL]}|m>}>yWm#@*&Y'*fc8 F~ T#jMc^mipuS! =!a݁"Mt! W4#;.UM"PfnΣf;SJY`z7YTY8GJ  `F}.Q`A\I`=Tq`Aer-tZ"u``4Cĩ^+q2\<,jOX48zZY8dtYT ˆVZJ"h >Bbe~s G6MM\)fcnm.L,&O9Lo{"]:$/[3/?.nzy"/MW^$پ돏tzU:sz} wox?o7~?4ᯇkx?i2?aYv>*}H 4{Z z F <A S S S S S S S s s s s s s s s s s K K K K K K K K K K k k k k k k k k k k @\r 5k @r -[ @nr={ @r#G @<y#G [ [ [ [ [ _VJ (ƠƠŠ` -l-l-l-l-l-l6n)`jiƴ;t/ #l"/Pj %'E^]A$)rP?KE쾢U䠴W M_WX7,ʂKaۮuWXSzS ķI4Y{'$<GH,,Կ^IyyJ,S:[ hdUhvX 67֫ |HmrEE@[EEsڲTU_Ic$*'<B ]X%?Cd5lޝR\q.,@Wr-rQLMVLR]/$F+l)^+u){LhpX[ A.UgC@6YDf__{,Aa+Y%P咛 m T~t{t4s7:ʣ{\WƻQ཰8xXiw  y`0 0* e w<طz j\ozYss=# +HOo6ׯa"L3!/8u,b# ?4bONJw0W/BdڅI xػvboc0)doq}h 6'܇7<(d"c)!kq=&J{fJ,aS=b<2ܽ |n˂4mXY8 &8&wyVWAX^Ibtg endstream endobj 8066 0 obj << /Length 1462 /Filter /FlateDecode >> stream xZMoHWpJ?J;#mBn;(h2?6.hO8ŇQ_[yO H'AB^~ދD_wAȧ4<{dM*32͕\wO'1m#^!t?r}}\EO{ .d31יRr+PےigFB,ױwAWEXCr]YOkx^'Ϋ:+7@XWˏkb>^Dnڦ+7՚潁)󩠷z!z":s8FĚjTT^N]A=MmS^iMe؜hVi>߸"͏i&mF!Z`Qh.иN; ig/t$&e`U'=KpOhA`aIGv?0U HgdӼLgJU|ƙ%!2H !b,+{&wgp>v!%'/ >b.ݻ,SPBD͏B.5 Anꎠy'8˵0׎`NɠWϠP_6p9u &&AUA Fx,*,.WIv"`Z}l& XP*!~juDu(BC _?3 endstream endobj 7929 0 obj << /Type /ObjStm /N 100 /First 1022 /Length 2646 /Filter /FlateDecode >> stream xڽ[M ﯨcr)~ -( AE^F]CZοcwG>xz5ZtUd,rZJjr"Q$q.hB.X2jR_/4\rD4$`VI"%M֫en-ʧ+6zIl.W;'^IuX횤W- v&r.%\zOR׫#I i$x1QopR?10MZoXR[֤9ђjO:G[DQJ2.a;NH&kUE_b1J.TI٥*c!TUS kHRx,1.Jtyi_J-W,˃1\3>WV m}YSS$0FWN(QYk)-/y%@HVFQSzD .FcVFG,ra4 a4n a4b4h7o1`8ےj .F胋Ml+FnXusWr)ݽxqwz_ۇǧӛ/~Z>ޝ{w;Dyoǧk@0jHeS}ߦ/M:c:LsUs;B4/bL2̨KCNda *`Jv}?zD jNu2Y)T24V,UV3Z 1 e" vߎ,cςܗs킁p>2'-sZZn_)E:ķ)${8X B*fD肍, 487o[`F7+wD,U[.UdTl^LlT'4lIUa#cڍB6 40@<Z2 ȢV^=X%LdSWdM=DߕR肙Z8VJPFXDJ`oV%MDdLUxRR?1l\}/O\RQ0l3#BQ3!_ _zI)h& B+:-b:.1_5٭v4#i|cDy&˭Hl롣>y= 6&B;SQLuGnjsgw+kv+xNso:lEfS1dn158nDbM)uStMlMX.uZhFoUbZ Sga1sE뜅!P,|ɝĤPPq6M*yD۩!;@9$jET"a[3HUPb <a)΢"ƒX KnHLpgWxjGfmo, *3D;FR|n ,o[F&b@ǞT`o^D,[ E.FY3s Pڣ,AbnEbSp_C.y02/) õ R-Muf$XMrWc=FiN͆PDsaMcܚ_p?ob[9Gߌ5ԂW=02, a;uXlQi*EB9kSa,Suf](NHܟD:U ^ݫSg~Xt킼*uͣjHq׮cS+ V|Lr`}_Kˬԥ=ˌ~KÊYU6B{4 B!M@@@@@@@@@@@@@@@@@@@@\r 5k @\r -[ @nr ={ @r=G @<y#G RB8 ACj-B S S S S S S S S S S s s s s s s s s s s K K K K K K K K K K k k k k k k k k k k [ [ [ [ [ [ [ [ [ [ @->=3Tx@뢥渁MFYU{ؽ찁̦ p;(p;bgq@15%X O*wO]M7JkhEOzOL]`Qy x8jnњp(v Sd۲"gtPLUNO+tifu'M GauP -bkYP\g.Q uX-;$V Q{W9nRP6L5 \g9Q\Xs-T~RyLa*jQyx*gT=&% 9K9 :Lۣ>I!W@vyTbҳa!a{d,ܡ~1 㚝 ɳX̌"rfy AA!M6*^ÊL=0a^`eV~uXuL@7ßCbWt endstream endobj 8068 0 obj << /Type /ObjStm /N 100 /First 1015 /Length 2284 /Filter /FlateDecode >> stream xڽ[ˮ߯2pX*>Il/ ^! 0E>sEw ixoYdNub!ڋQ堄ԠsЂk标^9>f$-4qè)I8A-Hz)qB^4 yrȶ<Ր 2wr\a=^R!ւ񴧠V(KPsЪc{n<&(z \L3]`܃ܸþ8`+c^_02  +cT2\E[ْP # gQgj!+c9*tz-Bi)62pxqu8V dd[6X9Pr3e.~ee,Z _J,XPCq=,ЭRK4L-@O;ْ% 8\9ɨ8ˠ-CiaT8u#NKjPbBi9uH\!MC89`א搖yIBZ<!-uҲ !-CNHWnܝۄF^(˛7/ۻp_n_?~ !}{w?| o(R#7K͵Ŧ_,yn_>|!ܾEh'O_σY"^&0 J&~<нHÀRDjZx̭0}KxgH%3hJ鋳RaPx0pE; .D4 o#gz bziB 3 +TW|bnz#APT|K(DFLrl Vbe jyޗP͞"EFEs]0_/u{Z04_0S)LE;@@AJrDT8 * ,A#`*"c= sA pYKbfVc /*^ zU DP|H'67 1EF"^3,7 8Dk8g]BU1VE`"jJ&iOB.Tf@!a`ٟhZkp?VU*Pҧ@8gA "\ 9QWlCERә#I;D;`ib ߈1SNK,qn(/qM5/SnVGG1Q)@XZ_AX&WM FZ 6ΤW XMGM4R؇h0 Gah y^=@զk5yHu(bՊ Ħ 42k42GNsb3RM$myâR Bp$(f:,jEKyGAbB CnWPyBEy0WP d,u I (vk11d3h3#Sy#Pfj i-vE˂tv.7r|4,Ɏb\@1 V99GQf\+';rrb^sM`*L(zl=E$Fs/l=G&\PYdsKؾfgm6LdkܘyͬLdkۨilpbmA1(Yέ/'?Gi  4GYn5(ְ~ef} -x{dv~E[h]tW_qZvkrʎEwe/D֞-,"mu)|n76Wn endstream endobj 8241 0 obj << /Length 1732 /Filter /FlateDecode >> stream x[[o6~ϯc ,xbMסۀ6 t,ĖI^Ϗ#4=}< TU9Ąٚ0Qً)x()gá(0 –D$ ID:IK0Z"b*1J/nJ/G2=di nQ؉; @Ӳt91U ҹTΑ\;?.S uZ/ ׁ?i(x2lf2ޓV[7f}2 BT 9jqp݊ڸ[!+9o1>(OtuM͵8^JC GzZԏ:ۘNZ\h- %UqhzIopX+wЭ#ݖ=/ Y}Y1|?f<UlI\נ*=o&Q9D Ӭ x {u7¹Qt&Pi3:8&0e`n$&\13|5rɢ3F^EO4;&DLz">-|~m7L`{iCԸ\Z&Y>g,ҹ`8Čw T%cw.Jh TQ"8r,`4+Q m8u+P-@ʾ@b 4T1z  "ňzgab\4wT,@PEm(` iTbTЮDGX!58?@CPmx!d( \4nW0ٹD;eQ3?U U(sf WMzJ:͝L wUӜbYk-Mչ0BC]~m߫:k>O}ʗRv͛oj,2{HSSXegqoPrfbЁST#'plmuyagOw=yk&LL2:FWk@n򂟜i$4m##eY `fԝCh4!'?9?" P >> stream xڽ[ˊWD}t$) r/IvQYD|$IiVGOkQ-){RgGRYh<.O'mgt52,Ok2)9FKo{2[d&.Gl8qT$U70F@@}dZ>V_-x=QuQ#5#JMSSu<Ԭ9i«,G5 栶~t_#&x?lyxǀj49?4 ,F5 !iOߎ49)itلM8rclsPd*0Zs;a`+ZF7a3:b6Z ²0fu)}:fgt ~{5 `s\_l<lRlBkf . -2&mY`b6Y-Y1R֕$DW]8Ț+Igkz&]ޒ/[OKO|p!]~m5}|#Gy_ӿ.7f/߰L˿_>}GPշ ~oaRgqRۀb1ؿ1mr={ @#G @<y!@c`11h11d d d d d d d d d d ddddddddddd 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 5k r 5k @ RhB )4HA RhB )4HA RhB )4HA RhB 94ȡA rhC 94ȡA rhC 94ȡA rhC 94ȡA rhC 94ȡA rhCi.~<Ϗ/K)/Z>x=Mo_x MnYHo.]9]~H,ȟ=%Q19Dܪ$IJg; v~KhŬWKXؾԯa Y 2&L G}U͵S7qP[i`u`FB^$Բv@D g[_ɂQBLOa-C9rgFl`]8HRU˺M l,QIgi2EYDP8hzDB-+fl"wd&6gˆ0k ga̹kA6:f(##b'ё_a13 7,; Fy8&ڂQ|; iYm#rH7b16eDMo,;L:s_ .bO\R0Q?"1U%`a25,P'r;bjzzp,E9:s"C1)y ]K&9BxdA4q?CvTZ?|6bf(J^Ooh3BB)V+-֚G"P#ҳG+.^bK{w[{^; BP{)'F6+{rQ8JqP匝+R,f8ᴸ#i1JxEܞ}rwn=Ad$M3Ilm=6-G^g1*vE׮(e2J^Y,HEQϹNQt% 7IL;= c"1cao"I2,67 L,f d-2IC-2k>:h~hcȸm4&T Y3mKrZ'|omqDϩ˙UgtB:U`~5 Җ11;LE)jAD+G$lf ~@v g:e> stream xZn6+F|J PtUdE[M;Ddɠ8/e˩,S&h O*Q}"yq8J,N(џ<>]ҿ $qm"89c?k&tpwџ{UЇ~DbF?벨F22Oxj# 1ʰ/0Bg7=#=bEc*qmqJTWUWȘhoaVELs4g-f% 8C#.ѭ>AhL8_Wa5 / ʊ" a7C G|쪅heH$`N2;wo<9~/zL '|soeRhѪښ2sdwCڥU3aCmp~K^T O. Nixk~[< \0rJKۈ%:g@hU&;M&)Nd`'0.N:j~Ø0B)kIDr09@`9jhUKR TVBN7Uz+ F43}%L~0L쪉 뵀4ft%T^};J][y!Oj] #sཱི ]E s!f Olg ;ؿlOF]2" #$PZRZ.9³24sUvFdm8Oᐧ 0-jXt:cglCoEdmoFt"ZR"|vadx $m" J QWo0?yv+bjl :2R/&LN4N2_ s8b kAM]UmAf$w6sp`T>Tߌ 9J#㘥':ZJV枵p*ʝ4 `8Ɣy*Zp4a)VɉrjljCI D W;@v'bUi𞫺,W;^\AxC9qMev7I.lޕ3-_ɷ>hMN3x9U`"|ȉ~plިu%J{g߯v./'I)u 8~ VÃF܅okE:)7HG:G:ŸVW&1[S*!ߛ(Te25xfLYVFl6ɊxFr#Pv-ak@$!y\Z`L·J^B,eEзhcgLC>rOU잦;iN=4j}TfZlh,z~vd (,mi'vV'uXoSxp^}{{ǻs UK endstream endobj 8243 0 obj << /Type /ObjStm /N 100 /First 1016 /Length 2696 /Filter /FlateDecode >> stream xڽ[$ W_")Q0`{IXxd1fY EbNmDVЅ Wh3EfN5VIԉV!Y1 n QxYnEFXTɖ*,ѽ d.-F&':ù:yjRQhi@,\TRigdޛJ̩vg8 Sŵ!߽4MH +`1Ukcoy xE,䟪eK>^a:uy RfN:3^IYʣg$iI>ЧĒMgԬYLm'`!%v))k·2 x)0/mK|bUd kX̴,<&~+ YL`2[n5"[XYl\O]wjQe醨&;B2ɷ)q|v%|B4IE1dKy*'YTlkͱ*{fMh{)dg+(L]:qk`KxZ9ܐRl9p@cE1 nffƱ ť94u tRksM0[7??Pǹp_?CosXڗ,r]b,WhxzL7SǗ Jwb;~y<廿%ۜ#ZE[*73BqA].lU(r]8rqő###########WG\:ruՑ#WG9rs͑#7Gn9rwݑ#wG;rw"AU q!P\P G&G&G&G&G&G&G&G&G&G&GfGfGfGfGfGfGfGfGfGfGGGGGGGGGv9;rv>(>(>(>(>(>(>(>(~-)2Qv؎Hq~b,K+b-AQVQl+RSYcrvPL4vDV=c!HZa,dbF (a9|":i6cQ'&ndKjǚ6miosa;Bٯ‚QwE!_ _b戸] jd+.`EwgK̖="mlՖ(6i$j{:G`13)n.,4\~цUWhdǔWqʹMDL SW(3Oa Z/$`_C"u1fx*;N*3l88Fa?;"GF!jc͜@:/>`Jل%fB;B62~:g{e6 ˩{3ORA[6Əcec11׎K[0S[bec~X~,37@-dd#jjcNۈ;^ endstream endobj 8557 0 obj << /Length 1493 /Filter /FlateDecode >> stream x[Ko6Who6P+KbE[ lb-jR qKR*ʴȑdѓ<8fرn-8y=B8ז-m2ze}ۇ?gsBUI^ O?>zb-(CK\. [ZrB&Ųyn+WOVi#V[i+8֜6fDlHV*g#TXʊm?>X_J? ǗDV) "jE B+(rt:9"6Au["2j|0op9`X^i<.x6"{bۆ\hbi0UV.1 (tvcl{ބQ&j= ;³*yk1wpuXh\ell%e=<J_R(]UjWi~ŵ]׫ gW{T$`( ø$q(j=d(!v&j!Skkj{:|ϊ'yjד>,)")vx;pmPzv!9zb v(W`zhC0P0yBۺZtgxXwy*KNe!\i #"̶Cf"V\پہNtX(p1R>#ڭwsڃ3:~vn3x=:PԱ[Ǹ{ w BLE88l r%jR21k3$h,*ĝVLwwEʧ (Zߣ+wܴwqQ8&FIG8*qh{/M빒/V|IAA_v'RX:xqq}Kօ+ $` ::A!|JPg8=m8 AW4vڕ$QxK@Uo7l>uPڴ̹r3B dn< է-7 >YϢ kRH*I'RdU0g2k]zUFj~2#`QIc`Y8WHF] ȩV3șz{`XsFz|q5wRs6!WCH% ѢOڤ㊤N$ #dM/7&nz8 <2x$cBapu3U+4 N[>R][TCWנSG,Q5ˢE>B;m 5pr Hws0y^k*,ngF%6vc_96qFܺf> 5tvCiCf,%7=fd#LOlEQ% ⩦m ,X y16Gs sZUdQs`zW@BH;s\F$'yw1DFEQy@0/p | endstream endobj 8365 0 obj << /Type /ObjStm /N 100 /First 1015 /Length 2893 /Filter /FlateDecode >> stream xڽ[Mdݿ_eQ*}`HP-mߖDZ1-4G f[n9n>0F7V[dξ9S7:XΥ0iLFcF1_gMa4jѰU 3pC4ڜ+ZCm^=p}_=א>|2?<}Sx/uDl0Hļ\uW@V 2zoOcV-`1rĈ'xPUV:Y,j`QJz - ע_ƘdT-&ѝ IcRL#=uR5|Kk#v`Q{ "EJ=v#ZsVΎԕb2\JCﳀ\nc8ER Jb <(mĊ<֊ej;;WN E+wrubM, i˸`1ƯEJƁTF؄'߱m-3^HUvbMd>֢9i-, i+%B](+S"E9.$AQqierёd@7D+PN,[H Q"⻗i0H4(|ȡ#{ Q^((م d[mdAE,hY] ȨrSUv2 Tgu2 Av2 x0 Y\gu,ȂfqJ+8*IXi1Y )bZA.kYԌ|Y4E c,&T.Vf84 8uKPǯXiOM݁_e1,O,Py~F6y;/{Yg3 z G ;P.Xdq֙K~K&[|ZD{ai$Mx&wX;izv2b/ex3P$8pRN.†72_[٩. ~d D QyX(D fݠ; 6iwCCokQ*FZ( ۓ;1r 5okR@E,[y q@9 `V+vFLYV x~Yj WuoC$+ l^P VbvۡEnaF.Ikꯈi6#{mWM 1_ |m ^,JM JJ}8~! U#JmJǨA]a}"<=EBIhPJz 7Ȑ ˄>ݬSWύWMG^,ꈂl_[!z"@+i^ƙX,u4NE~8B:TKjTVFt&zi(Ⱥ2Z~ҭVN=Vb X8HmN 84 J#l^,f sqmOkbGAl\wʼ⨏IE Z&Bxk7G,z֞^Xmv¯~K$2ra(8+]"!r6 )N,*rGb!+cM, H:Fqy3Ҋzxd7Z"G76 ҜheU;IWᇻVA,cFWM~{`iMH̃|w;( bD(ٙ),C K _ݎ&wM𾗚m8 I-KxOO<ֶ=Ǘ}£7vOo'$_/ۯ@?ο=w_=ROt> stream xڽˊdZ")gv4KyL((U~Be)d9$qk>$c*샖'+s!ꃑ4J".԰nO%Q+i.G55ZRzb#K̀h$3FI\e`A>cpb+>c 9&{'%i1W@Q?0$)1hѤJsFMZU}ԒiOjT|dI6wZpxPA=@TJnO%6璦YN#МS#>Ը;)t>ZՆ= >S3XR뱦^lΨ39=u9Ro4g{RR7=Q \cub݀0nݞbf۶X~l+4|% = !՗YpK4\G2l۠enCfMw9J*MvrNWT~=JLH b7RT5Ӱd X 1h؍y|n!v:$4}ȷ`Y$eAn¤>}~ϟ/_~}?__q_ \C?~>no' tI Q6Ԏ?>}n?5~~_9w}+B$ye,@(BԖK{蚡 #FBRp~Lk@T(JKe] Iղ;ѓ\E 0ʬcdHE3;;V(zlpcHo4!ZGm'B<~MA-,yQ3{@Y.-#Ez. 5&`+BP:%Ed$cwFH Ed,#) Ehgh$J&I w60T?{+Mq A-ɔe!o<=!xyz d!+9znZ[|==!A<齆W3=!ϜR/y@P!w*eS,i&T臽M;(rRQd"R;(rRQ"T;aQ\NK@$CmqqRRx+9Ww X*u[w ){{T\4oSmadk{t"9ӓbo^SPr觝2Nf;= v3]x.@JwH ˘i,k th*'̽:)!jh"2Bi!mmYW,[͍"5B+Z yZWQTΥ D\EK M5a(c̫p32|R޳JOi3^BWd4CIQ ,Ů~c6_A+< 6Wq zTB.k{F6rrͭWxBPz'+7{{ W@^I )B{{ g OWxM}RY+t%JV{,]imBٓ_N'qޤq]Yv{sGn^"ΰܼf(IԒE}}(vCW q@ ݥUлq@⸂x8CH=99ȣ9!A : endstream endobj 8560 0 obj << /Type /ObjStm /N 100 /First 1015 /Length 3055 /Filter /FlateDecode >> stream x[M_cr$AI '#A d jrfL!0lqgf]4פ&]ʊ8 v3+Tj6X.Qkj"e6v-XzbM\Zq)Gjb֣hͥR\*cV)BS1)rPBGG_u9'" b1ZsZtjI*JNLM%@MGqRraM6֪Fns@&u@Zbp%1by7&WbHĕlєX"4ڸ9Mow:Pd)|ĜӁ*eP5T\My@Sԁ X*(ƠIh2PQa$qX(@k?[(Z<$$ץֲjE\>t%0`IE5\jR(tl6.*p`/P;!p&0%;FؒrUX 1N_~yš փ5D7Bs0 a+lMZ*ln_X={|޸˗o߾py??.{o޿  受?]~*ڏo^E>r#S=D|v_g奻7}_" u=ЈWi>" RTEuD_$_ 1/Qg_mQB1H^-(R}K irAJ U7!Bi>+&"V_j\BmL>3: H>L(,ґZ&FCy%BEd;! Z2 K#،GVQH(>+#vքaxw rͰR T)AJ'P($`9]( $B@,\/(:'<^ ~ą(#`b1&[2zDY F}M-xES=b Ɋc鈘JsG`S1k.z;#TH"'/g0,6W `}pFQЀ|u ͋BZL~ ҩ"a3\@1Z $ ,gPą!>1jkn(]; )eE@x rE\!Y|G@xKcbT)$B0je EHX#\KSK7iA )Hxe0N~s 2S`X~7jak1 N6[ "܅HoB5HlKsOv;Ae yg@`COXm2Xf& dٍF#ڍwX}2B+=ȎbAN ?w$wϣRʝ7?bi +go*Sxw@|N\o JH |@tUcb!N5S)&ɛb`6pwMAmr6hfë$|ob|ysԼ%6'nbX-|bb؝6`bF!twG1OwOX1E+VE+odF=wW]_]?(9{x "}"tOW{y'޿L]z]y{ŗѮ3*^|AܯE {̮Ve󓋟Δ9e;P+>~uz[#,?42[*,tg%QuM+d+ h8=>^kd-@˕.t+u˪ 6Ir20Z4R)< m }ll$VI~<[>RnϦQ+1`4AڷWt!»|+ їx|MZħ̊tpr3 /f\櫑j0h;Ӹ c@R:3ïq29 ^-@(cj_=#m1(aNR\vA iz4"c6XzSlGS ΞvƣZ>RZVP+i?`O뿏2D62_wOߗmW@{[ߞF04!|X? (헔GlcY+cu,1 h݈lb-Q 飝 ӣKjjy xj{xIrܗ0&T1Qg'ғ XTهkZ$ #xvd2]k]|i١v[٤hÎJ\>b/)c9*!ZWE1BGJ%cv8F-ET<41D~4#$ f9hiebʰQG4ff~؇W内bR-6'oU-(5&kgtB6V>k2|Tnxh>~O endstream endobj 8586 0 obj << /Length1 2612 /Length2 21736 /Length3 0 /Length 23218 /Filter /FlateDecode >> stream xڌP\" w'8 ;%xv|߫{icM[)ITL L<Qy-f&+ <%-rxJ =_@cWLd(`q09x9y,LL5tp[2@xJQG/g+ KWԦ4fnnNVycWK`jt|< v. 4t+WK 4N`lOj 5K++T]=hrq7:@Ui9#r68fw +9:9{Y[̭lE 9WOW:oCc[ _G7H+A'?Sg+GW+92*Ĭ{16EVf0ssdTrrJ$#ؙ89@'Ԓ7#_JbPގsP@_+s puvz_ 02u-DƠ;[yt@ `I4af^bF5mY%%I'@`f`p|7񗯴Gv PgAhK4@Acbg2}1Q_H_zlc\7W;vj"fW'j a{ h"a 4Sr5[{lJ.V=3сt}f_* hyR:llj2Ah\A.Prsg`0 qE N` N& `XR+QA v?. ? ĮT Z?Į5 b@ n3@~&.&Ʀ6@ f` J~K!F '(E00ACeb}@'  /[i7t['os7翢 , $K/GK_ __ l_'2;wXALnv&/M?73z&_R@O)✃)'O5Ӕ)4ދn04Aη‰ý+7BK$/- 0amO>φ_Uv&& Մ|^|4m [d(sܸ0=$=˖GCv9d~GGPdAҢ_xNgO|{Z譳0qBťO}t[ Ig޻(j>3ҧYY <2?%\Or]ζ $!%U%V/DqZf:zOԻh}0GclufqoSjr0 ZFol M;>J,"G+ W&65Y ּ1f䱶d8Nʉz- x?ܠ>&M!`Щ* =UP/3Wsagdj~qIw̸TRM!P]3(\j:M2\M&9>]$@@xf`T+X7hC>&ձPclTߑ6m鏸W,' Sn?jL%xydߔAn9 Pqx4OpTGP}Nl@kAKrYzLÞ(_>d鈯&j=i)nv & v}5S)j5:$x;B;9]Z@hOe7U^6?T8ä,o0W>PW!jK?NLC}5.SA. @if3F]WM͛ A3@fK>BcKkyC ů70RC])˄+`eJ i.U!}x 1f#%f1og* wK ]4Gy&RxEM W+g5B8txS-`>#SgP[%AQDX匝:aFF0sUz{Aѩb΋] mrgh0u$RJ"u|vˈҶLA|v}Wmp^1`a#CWw2" co"(?ayߚݠLAE^e+־dsC{ mu?x]8m>'2MW=\{(|(sa//)\Pu?l>ۮQWK"D3 éYȾqa(ٯhqUXY~ɟ(A!A!~F| {oʜk@pCr1"=< jKh (R3j#x& 8T!k̎1"\fY|K.Y߃j9ѝ%D\_0"PMTܖC1:s)Ei RA#H=:B Y8wUF,rgӀ.:Dl,IeňB~6XJHB0pUӪ˸'~pbAr| H Yꘀ'0|_x)cDQJ&zID,4P~A'bޮٶ =V#D9Թ3To=jV`Ks%"Q/.>SfeFR3L9'6L+>#Yu^Ii5v_dRG9:ōl.vp3E0Sd_"0:'4`Ihf*-E43a` sM'X)-c ^ rRqc'GSuyl&C.Z U(bKj|_-.N2uKڎIamʷne LTkBN6Wq}^ ,xzDFApll=ڜM喥|3U,'RS΢!iz50[l& _M1+E1۹jkÉEO:#9ul뤀,\Ș>\@&3glGZq^1\4#JbaA*Jl2-dy_ұ]TtCz sW|z}' ZyXqg7% _r.nkNlI3Uff۳viޟ?}(+?qEv 6x< ^QNM=jͩYtD^3z&a~~xUDCjGwGXSOv: ǭ`5ơZڈd1zn "W9+1sr{idIY.=:vѽzR\ǁ z)=XQ1|VW׵.X\)O^ }%KGD>+L]ӾMwB8JO-riHM-]mԀGwd'C.T[6W r^'k?RTηF[fa{p-`zVdb{0UeQpt+pMs~򥛵^5 !y„,EV+YJ8E~g\Z-+Q M3evc{6KUٖhoXPeL6].j^y3uy)_,!K&+ci;J@G~qpFmx3'cۻ4q<'ԜPB,_4Gzaakߘ^rDkcI8\s8g}qɯN1vpoɰ5bu Kr&hf[*˒邂25P6_ +ߚ-6ҌtX6'}"&weLU ͨP3R5:Ɉ~yr%QxzpH%>u(bs CT5*^qOK4ӄ` pBGˇR<{7L)c.2'dZ!8g结K*fT (X+R&ƒbRէlr퍨2&g ҸsN htq^𶉰F7KyB^!&S!y""O'Xg:Թ38J;FevO^ u]rLN2󧃀 Ϫ* ^D,ɔ{zp 96 QҸ(eTOnPsM"w)KB2s~W]@̦V5jvf3uP%'x/${+˒\uXl!G$eR^c Ӊġw0q >qxӤ"tIWj6hxʪ__ҩ6ѴI|+4DvrނӧAD+1N\8q97$ GLGl"-7^*^:KO1y=b!w+C4wLuAi;m4ǟ5uBV%XބXVɒL 753-ۆt'` ye4i+{r&5,P/RhyHcE"[57Ԃ;}W!gЦ|3M=1z%}-3]FanyWGKCMu\oC^~%3{ȩ"A'90sc ZDJ-CF]2ţ3QPyroDp{nAЌj&/XWw߈k}M:鉻_=ϋ[5 ټ?<~#e+F'^7*l _뿦|Vlԥy\ ;i<+$llÈ[eRj>7Stti͹W}P'Vba.IsY f֒ \~g~W68#%=E/xXLRVگҹÖeg3W񾖴yqt9ݣeQI̡/ R۞W3SQ-J"LU+^7$3̍KuO y6dދar~T1 6չEX騾u8f;t,,]s6Mi$:^r:VCC$,xMbub+{hZ}xH]4",\u6=fɚ۠ $%"=yڢf@o0S!VvbepJk V0{;J=sՒ4Q1{Sٴ˯l\ E:z"CjE{<9*%k1^l{ſHRhyX+Iz[/7lg';1-ö:별K`/mIz{QȉgxsmeoeuX+(}c|V[[g0S-}PvO/TmĿ`6cn''o C'wGS/mzB|2El= {G[\hzݳVՉ}zN[UgI#2 MrmG]38U _gˡN'zBeNDPa],ƷFrPBF= Z;Xy.+;~kke] :. 59G|CH"|\uG,Vibkﺣ^.򙖳NtR\f-vT{Obokw+DRx6,., daIA%?a._VdЊ)vѼzUzѺy]qQ}EWs:y21ACS;Ꮆ$ R7a*a/˹=A,F/j8ml- {Y=N0;v .}~iXWHxINhE<AyS捂Mֻ.O?Й_~K9,>s'2d-;vU:}ߺ ߾1"q083I[ݓM4RܦK$ɷ&ٷD,=&5 <ۗh*!~o &lOu(B%J˜pq[J"-t9C7Wc_ ܓs-2To0sDa$ 13ABٶCT S'(" aiOfѷY8w< RL!M"^dk(b/ |t%a2?Ų63)5p)f57E]=8b`i`^9їuƚssmXU0)X.) ǹWx)>geqYĺD;1sp @OpOy黗H8;*:U'ZA<C}3՞8lMԹܺcE:X{ze JC1n+$PZqTs b_L0ſ5NY_3啯B`wNG܉Q3L(}v[2snjǽKi(P|$f|%N}Y~ _eC~ۥ'I`W~YC=v9gTLp{Хa6|m75l8ӂ^$CLؑ~ "dmpn".>Cv:}WwI2J:g8/[0Wmui_1#8 i+ڑ~w%p7pnmT˲e"dQwLj#3mT 㱐-ʡa]`hb*qBN{ZtvafCy+*z#ϱYys }/`eՕIRNN"%,)Z|YgCisP?a`r8Mp]5a;C)`?i{:?켹rOz2^rybrW|GJ(~z6Ӕ%*%ħ@9sMq:x:.ݏȳW9G}"@@SfJ}j̝ /7(I9(qOLҫBdN#PO _m}%,rq/<5ҩr_\>].yqyǘMş]ݵ!w&F ?^%S!Fi"8?iLw / q D)T[W|4z7=V* d\COQ?Obտ(A((`+ %[1dԍȧ:Q2N8n{ y~q6 ^P:>2{5%T6(8k <},i˺{OȀfo ^}ˋU&&I GUwWFԪgMYr`O8K`r)IĈ4Aszlj0!,3ץQʜi%\ ȍ*"HFĝC4psiI  n!8hsXF3W]Mlc񭣆eXG +U! -Tv_++,ANziSC$}BM(kقT}ت ;(_c'9NgQ٠L;J7۸Ș sZvg⓰|[J%ym.>LOIcqދk-wzQu B߹T;:TvBzs{+KR*T^DS5ޥcF'{g* Iv7ȶjv[ݐ fזBY6O?ud+>yFsMxFO-IdMmr~Z[5×~[+ոwMQfU?j*Ekx 6B 3ĦsƳ1F~nl#Rqܝ r;LzEpb讅qWAjיB>"<ՌQˣX§?_zs J!R4HZ<:bit4z|y&G* *5f /!}.yĂӉ j!Lgd+]Ի>:c9I:o#S"^d3P+~JfbG{`\͒Dh۞~IϪ6_Lй!0-o@5R̆ey]uع_3|'7ZځJ!KU&Jh<;2On3w?Gʈ΄' _ݒL1p:%o|Q4j6БqYMcxXɇ `:{]iΕ"Z3ɦ&ղљo(W%t*1i teK yb)\b X#5 E1cBj6n Oh|r*|mpmv,-cROIkij8 (Y+~;=A9U`yjOWWm ~blIYO|v>? X_ pMx|ӊJc!G@v<2HQ66yM(1P}]WsEVGz0.t\$м#6i~cE>zGS#~?o(W;03BӦ Lmyto샑zTE sR {y._ghvєs| )u8*eҿ\`VՆQm!I=,!o{/>#s.O-2 i RQb&c]R1~ĨPL^3 nFSKQMI֌/"¹*{)htAd~HNx}9VQJrjvƥԈ?֔Mx$ԡX5iWE6r5'Td6 G*j?/3옙PvUez3rMz5qYBneKǫ2:5M9NJ1F?>u#/o=PBNo)'i:q~"_)7̏=`EKrc!QЎ~)cu1vVվvv_vyR*oX7ӈU~2ƹX!}3sa qL$&'%#kce3'6u62NE_޵ *B w\|AZbu^E Tz81Z;IF՜FC{f0ZAی"#nFᲟ }0[`E(ssP+}eE%X/Fnmmz^Q3T{jY:U\'!lmҎ R%zj!!anQs"qb& 4R쿿L!cl=DAs 1 +Z\*2&hh o$]0uK`\Ig}^X[FYe0F1۵1~.*DPg\Z031?)T{:鐪:*HrMk c(Y?':p%w!<"~(dn>9\"1?AN _Բl@v8d L1 (^fTC[icw.iNZ } &.V~FMܴ̤{4Џ!v2!dz" mIsǚ̕0?Udyu ɷk[O]AW!=)oԫE: V7"at"blTFp8'ex2zWBC."б0(Hsw+s5m`;[ՏOZTr$3Kޑ6GxPU_e]l4F4QiHk'J>Jѥ}E"̂rw,M/xD^)?+z Z|ҿHcJBE~#/#USWZ ONjwЫ6QC4j7-Byq%D k;[xW_E)_e&{sbZ QqN*g8 d6t\NȨЮ(' qQ7w#Etuaؔ^Kg&^wʹzǥd< M\F⒠n}bJrN>w}1aZ#as#r?(BeYhIc" \mtOY_CA:YNXs0;)O(1zTՅ 9r=DՉ}t ;]C s!e93}O ^:Ela,ʭF“mdvZB[ñvjH)JomSD3ϐƀaB)f\oMRFZ ¾X>K48̈́L4AӣsVt~oj` TlGyj@$KZ]p . 9naܪ{5aj1m*Qp 8ԛoQzz2]Aa #d4)P|>+k?jDy՝zc@k/Y\XZtT0 TFQ>3a>?uWωr\ n( xSBlWˡB; wTrȏKuRT6yG\׻rq̂RIE{ikpi8bS_@SATVw:Jd +~kȜ@lEKoT!#"+.sy"ֵL*D7$.R.ݑA(SU}S+F"KNnQxa/ÝE,{/1MYcWFs/|T1SoWM n#]|2 GqAqтPFNg4-~pdW~ifh8M6aϩe&_rE0n١1`бO6ثϸrCWO(*qL\mQ~Bt$*Hc M(KR>d8VΓ#i8$l󜕴+D{-ʷ+m)#[3UrJьnό='-=\mp D[tj$rPۅ7l"o`x9K3텒×\!䅃N9[6+Usiԥg51?IMsrU ߘT'B%Ve!Fb @Tz1n"9~QP AoRk\FWFx+q>P GG,B.vXF]]* oYIQ۲&qH=is'V([lKXDy+KؔK1 !W>:/DLsKSY18>'0ZLF ѸCvB $DE'XA:n[Zd$TxiUUD]Uh]+b nD /-"bsV]L'G!E:(ܶ@t)-2i\ zA#OQ Yk]"ܱe"_},{\^ڛRVe,aڋO $qAEw?W[dfӒԄ4皁}G$*&_V|𷈠=mwҤdbV#Ѫ"E0̰@3f W{'MBhlڤBM V<}[<]~ S?O+'gmO wSᖔ#5rGxt!iA2dN&Z^ܬn͚pzK?u.=(":ݟs6Jod8 cmIZ*mqUp&[LEa1~M"Ea!)V7/!ϩQ؂{qZ<8҅P 4i>/,& l4'r}[:v]iU/]%N`_T* s.vRn9*Ap t1S]s!?~ۡӌD,Pt kc_- 86f5UB 89nJk2d5bw?m`E\ZSXW9A@e<45N-FUN'qp"&JʤM4x1Z` ~&J{^ACU;)y&i Z4JOתܰAt YsWM0ėL󻌈]M5Wڍy_2ڼsg8E^,"=ȹG#Phf[ ;F+ҫJޑ{J Yg2]ad(kgLaYA' k"ruM&#(ɵZ?S(mE~6.99̼>}:2g­Wےa.d{hpVnrT&L(c#=8%Y_AAW W)uTwz (&ˆքL.:Nj`X k %t{]DwyVrϝޱӔ}3&ImOv)9]0F}P; Z@1X XW yOpݢ'U9MLߘԞl~zpw uOKA]'Dؿؼ?bIx|467h %oL\*AYKH֤?J?^柁f^7,^{uS=' g'Y=fG00y 5}Lo=h-b~<kUܫRv__axT6$~Xl$+a:KSgH|+f24-XnC%?p" &4gI {׮]wo:©SQNPGjLvr[o)­b~Xw[r^yR{E㙅?~?Z&ɪ4voe :_,b^!B. 74"xNNI4ݿc~9A~SѯT܏e+O8Y/kPokRQ!V:S B.(z8zl Ce}8DF0圹DY!/+zdk˫հFPK!cUrRp  Q:FGrs燆 ܈ o# ߱+vgh:[E&(*Yx57ҵ|GRSrE;7}ke_iayc_RW>5L gOb ?9Y ֿZ!$Tj5')uli|!Tk'Tg.1(nӫ[#cpD+5~+IDQss X_C("5xPEfAܝ/ݴ]zO5c j PЯ1ey{ױ1>}iRam y Iaƺ7gy2]M7Ĩr|CH<{j Z㩬B34ҸnR|y WW?wi&ao\M:Z9' :,|V$)L%`Jk 95)MZm60Jt^L8٫]>,{lM2͆&κ'[n}jOF5}MA d~FՃ.i>WlPhC=ttxw:>K܋cgV<BsbyAu(./rQ'ހnH ay"{w;M_?pgv}Ң-P;R/1 )2T=el \mR, 9Ӏc&*>0)@aUW| YX$kc6/T +[2'?31*IeWH5 'ip,Q49vpg3ˆ9C6*7wAu@E*)(뱓 28 zgX^ԁǔ4QQxpmh>4܉B-m&qq p#I2qo&ÅƇk +T74:&$ GCb2yC^Պp.kOaQiNp}b.;$ ZM@aBFz0♁gF2y˂RSUD4r1i(Zdy6mE3esc^6jo;N=!3;=PU DPB=L Oqv8!%Q߇鉱],LBॾW:Bqvbٴ+*,|gDv ֭3#g o WsfvUo7` 煝]ɏ䳫m6^gh hR62U^W:gSABc i6U"0yIF}ܙPc2dY}'3Q5Kg(_[ݷkV+JqԬœCG˷\{;gBEJ?LFR&,2tzELzb{Nr4 `^_*nqP{gN1ąS X,-*WAs22[j'lGD(9y#EL[mj@pI&a"HɐN/e E|]kh= (dxeGU49j3d͈s̑{|(x;d5I>cg5M{Ҿw)h (ޟ'EV 'pPL^ 5]YЮUczKK{gxŕ*VX^(IQ2E T.G_ Zx-Y*Mf= cITV> stream xڌP[ 4݂F  ww Ϝəgɳdn*2e5FQ3{ #+ @\AL †@EnbJleo q' H&a2TȺX\||,,6;$ݬ LY{;3 (hM rL .@[PDSc(h,]\ݙm,V.U3 hd-ߥ1!P-Vٛ; )jgtdJ@6`9V&/"+9:yZY̭l%)y&_6 c7c+cR7HA>gS'+g&g+jdfI;3q{[[3_IX9MA}dZٻy[ٙU+PF6  :PtKTT@v6v\\T/B`eYLVvAbtNV]Xz>hl<눙U]bboFNv#'+_ecWw>'e\h  ')ߔ:7#)Wi6Zx4.-P5b6fW'b Q; Yhlbj-klV]-FVm5pT@oHI;S{ `d%6NN7+h̀b3 *`n׉rqEb7Y0KAf"n ` v.A (_A(`V@hA\4 P.ZEx:Hg/ Nc?JP&(m"Ntpp%CH0a%41kRZqg cK`G?A|-dj% ? (Yb?Ju3'!Ѓj ԠbAdg O8X-urv]U8Z`A䎮.@3ad_R-Ŭ t@?UV;6wN3 @r1v1?aA3ꐋ?@reAy{=A wL]@ hcޔ?אzQBwƽiT{Zt?]Q`S것~9݋ Hމy7w$t&u" 619hZCR;(b>h9_%Z9X@U`GH u;F;l"=i,{&[Ӣz:s>%1a,wyilXt9RP7#GYʉ #@JԝxSm*#>TpH~q}/ ȯ%Z_%GyǟUiPC:1 |tL&%'^mQr\Vd%ӟxC4au3 `l{>(Ţ)X_*\t^RPrtȊXMHgEQ|s6; A?Q)k>^??c=hyj}cӉ} j8s9^oyﲠL7r*όo{)ۮ$S| _ncfMϔo|e#HL2s^C!:_8!tԖt=8.b/ ,5:>GZQp :?t ?:(^4Cmaτ0tXZ^\3% mJNNLK$m,zIV4},4ڬ6& >53 9qߧw4䎈5=UGateO1>,F|c PT/ay5=*6K'ҵ-`d[UWM'0nfWu8͗ #\i:ݤW/ʢ)&ح$}CuQKlORU)BJsxc~sRez:Ba ,76oNL_t:f1,i>vSWdwg$h(o/N}Ђ蒌s2cNA4!. /1 OKMCpa'4]Z>RMw'9}`zӤD/\xqK0H#~K%(Fo$2x/Q>΢_NokXkb˒잊v(b ?6Y]a?NYe;NԞQ|#5܍[q(m y/(:fޓ=*5-h?wj. &$#,yU\t*oPCΝ+z7lS }}PfDG2$FD^c?U2> 53m~y0Gs{drɀ:rKilib0U૧BǕKخ'[2W=NTnغfpvJ 3j_x(YOE4pa\WwSѦ"MCp ,TKLӞx#**$nS}OM+"O=4O't= W~E\ u6p{@ФP|vϋvERjQ;\c SkB+=M.GQWsx2Σ,.t4k~VczEhsys2a"{IC)5mc; n,U '4Ee)w 'MN(xrKSrq|2 #$Œ)6zeo:8MjA]ŨD|M>cVTFczBl aGs7,K`FO-[&~bkT*U˘럔D [7By7Gr_V?ԡ,ڪئ5idh[.:GkLYelU?IQ}+WnB`=2am Pk i1g _cf+Vr]_#8axJiF$+B$b%r4`ه*[@[H~I+4oֲ.^sly )Ufj[k ,Auxe 7 ,&b]Ӄ藖ۑ 8=[K<ǔϽ@YAEkbD+ 󐂴 Z&$ewBf޲JΐU·Нΐo N+ǒuM9d5D#g!1v<Ӯ({ߍn#v(F1_R\KpM ۘI6Q>*?Ul,R; M '0< dciekQd4iaP{Z엝T;[ 0tXb?^fJCvY{ReC L\Q9҃>E>~קXEۻ6f(\[ۑ[ʅ7\`Sʞ'a=jij&]а<^p.N1k!Ψm{-3gF.%2Ӝ ת=);S-bs*h]\~% kII6_/hT}&8ز|+KQTLuޒ.KQMV~ݓA$fa"yYY9HQge Ye?Z!?m mwr`pmBAKH cETKn0kn\܁qN~4+޾.V .cW R uy߸wwE}}㮢K%T؆@߾%xck볂 -b4qTM':GP9(>BobdCQ4ˢL}ʣ_(M wLUöȠ>\gbaD)g R+P=п/T4#!'^T pj)K.^^J 钇z`!fx{n2!Lд7OSY!u'i-Th{]F+3fV6B-5[;Ea}6bs~X^=ZؘZNG1 fz.D}TX <myΟ#%(8%+>RڕLMI"8$!'_3Gg]2CAy5DY -=Z8ffi)s4KŸXk'Rɀ}_‹I lsBT(Ro%]΀…sUmmroְ( 469]}wk; MrdL,.Gt% hw 7ܩ0q6sv {و>cȽmxl|>]\KdB$Jlo2j"Lt3=*F>o:Y+m Fb]z+Lc84 ׻岏M?[X;l'^ED1o* GB=2Т-e@'#kG RkDmGNLŚR)VInUTř_uk(j[h7xHNvE *z o:%G:| <"o tqrX'm;B/w'J˶}"y*D9? mWOcE+S\Y'4]Ҡa fg'*=7̛"ag)&P:>r%޽n( {Hq}"pLdܱs!Ӓq7Ӓ kR-']9"Z"h B-Rl~&?x E5 Y"w`א-fԁa/].8Xn \+3C=dMj2mAlAp uLP&nN[ ^ GJh]'yJl1!˷t'YX/iќPt&6 6mSIƻ8=P0E|jŽ?0EB#Ҧ^hVQ^׵32+b-]$ k:X SU7^9/~Пe\w9^_y2|-.3-t].H;yW~˨ #/LH3ߜ Dzφ*LAL뭑OC#jp$ ^;nq:dAdsgj9\l/~660?M-u/I'%kpɌyٶ{4,XJwZl Ѵ"պn:l`sXE9T}|7DLA[s$M*ݎEqKdyU<mJEڼ)!;u(EπP8 .Y#XzW 3EԛNf`YTc7ʸ!SFlY.'\ T 1uR"­U# Df;+&#h%AiP9[*6MF%v_>'W n_ .a6VwS?%Nou? ;1OjgU7%3`S#l؏\e_[HBxg6 SNe#C2 )G"]d B ~pXڇߜ}RN4eRҋ:OU?@w"6P.Z/@>EUB^qf]jUHOE!i8r-\]?<<%LO)x_kq#&B8|~bֲceR=8,oiO*[xӟ(c4M5?/FoB>aΪZ̗ٳإy؎Gw[oX;`8# !@:h'2ܻ9RCFKb~ߘR=2LO!qVtk#䛝 sDT`}_]Qu.5YeV-sԣQk}KK_Fsn|He$hbl0!M%jv0-~.IX B{2ʢ޼-&jdknX-R%jG¶ѮB JAELBٽO"N%RG NKXS0MN o["'& {6ҩ[pqf%c v}|$6?x1}fʕCb~˃/G,Zξ K%g)YYō.]HzH fq r ƚѱ7q {G7UK%+%ΡǚV\FrénOU_춄\<2Uy\u|%=rbu}!4$]p^iUkxd5QL8gu/[eU3Yʑe X8]1=v\*+nԀθN-Xc*ɧ\h,M=I_cw2\ n:࿽5?}ቾX^lwt!z;c.!VH~T\}RiIYr@@?\GXwP,3X}y]i繯4,X^X,Y Ȥ 8z[FEt/bhlL¨?2g+V6g5">K{"qMZ*jj ,)HrI/B~v.wl-CyQB˶Lnj-v *Z&V}PIq ~q`%tZO`VBڦXyb}RE89WdTܛɸr.o;Mpy󴔯4;lf[<ᝒxlj}Yfƪu;leiM<)d*:K[Y{qSv)9L\:\["xr!^-KiտkS,e5ߡOdnKC͙]Lԝc.{r %քBa/CpvWH 't88w=eJ"U1%­Li V970JQG'J(M_!+NAUayv YE)U!O${C7)v$o@Fgu)|~y~9{.} iL}TuY(l'#.^C&B''^ݶp-0ǫRc,.goFC2ו'0T>!5QDVd7[Q?JU/ˏ'Y/$V}&pW)Մ R3; ܌\yS? LL ',\^O*0( 5~}ڠna8 p8.QRyvDtF˄ EҿB9UML+2}5*2B_uq2QK:KqѩCGe ?TQn&Ҳ{ayn,ҌȔRh=o)kZψzUQ#O-- ̜āBi01J/a*DxpzD fjBDC]I?ޤ4YHgt8&L6;z#F9)s9WTN9jj=t+넎zpUmV{svT$]W4Bq&a)_76WHV.'}N91Py8 ˟sL( n(lҫ%GTec3^3vhw]nTd4t| ?냗佨I8qо'dv`IfJUpі6G%G\c-? V4CE^ Ngu[l/ő>gca?4,EsI<=oA]iu|L&O)mlz-WX\ -Ti?abjZЮahY3[Ah@u;)Fq! 1hOF`Wv`9PmŔ !+w>YXQ!o5ZIS: ={RH[㶜iR473)2`|0̡^):%GʢMUg>,|*d|, pوC*-0T[c V>[Ok3XR|'/)``D,n1y I]#/[ŭEevzQ$ڤI:_OzYJSSn2MIgL42iT[U~~um"$3R@*HO }PU goq62Ò Km\Q``i.mؼxĖ7č0IT7cYb <\aH `lktnw$jgb)kLv Wse8*(2QeQC(̸Ʌ F;u1<"|5iTzQDtp-W)V2sKޥw~qF,ԣh '7HcͺBB``a4xm G^KL3 Ns^!i2ne/(v!IR;ۑ#}YFܞޛ 㢹{"֌} >yC* eB7ҟx/ /f<7m8z'!AȚ-!FKQulQ?tqMBꢊOD1O<¢_:T]_mM&Fj8LܧlcO<^UWm X^ 2ݮ " N/Ї{2do%oI*͂ CASo"8~D|kNT8cم<@",y3%xXes k}K|j"> %BY龌KAKʍ-SCXT+&2I+f!dB ,ͨ0v.Tm,>$94嵏֊DSS6]xY9\ˎzd;]m3^ӎ4 %r$@_h[id򡔒䃆˼IXjhk̴I7mW<ђ#™ԋxE2龄l]0/t<im u;,0_.9<W?[ł"?!%̢I^Lt)'}ȂY5) [L)cweaUDҾ,4jhyZzwǁ41#>e sCw!Y$OG{yE H k~GBL<5;j2+d]9UgДhۜ*9KD~o*`C4>X unFp]QK(,jdHVkhnCvk&w0?K݊>#X\ EXsad4&L`qiWBҭ9Z*ɂ@c] ̔F>;䞒}Ȼ)u> ({06I3H] 0?Ũ4^{:@jB+,9f ߩ :,9U=(CPA O[\v4<'<8pg.\+m N|S3RW anɧѬ1qO4Ρ!1KghςeZ_ DbqL?a=s"E䫣.:02 ] &)Ĕ}T&=:,=X(ӡlsNh#I)GU#~pwSd&1WYz2ԗWmPga _O4ɶ_&N5 IV'E}cl C6hϼ 犖e|P:K>f7jHʞ\*J;WٔؖaI]D9)nE&0k&AD9cefX ᣤ7vGD@BMqt 1;$?Ք hHx0˗\LgcBcBcnɜR9x4G)Q9s@(7mjV(CdU(r-\]ػ(f[5I֖n^yl7Vb=37n v*77n[{Gn99yh׼;_GgMs-q"Ȳ+hVKmG?3gfYH,҈'02N\l-7$C r]8+8V8K S7Yv'+Svyq~kN8"g,zgޣrXUaJaŢNӒA#nb<1Bb9>6.΋rL1ՑO^h0.K硕E-?;T[*%XXD3PR@paC]a /w0ؾ.zSERىQ[,5{)>9If8^,sq+$M\u Xk S13镍ז^<.2SJ|+^4  :g32QѤp%cT鎨W `FݠY-C/ +,Omkb1o*Z+0LK[[[>j4n/) r%W?I0>vUF,/u*ݵK{J:Y_79)&jMemt|H,6wczj+hv0xpP{Ց`+~x$;9IBnn!!߼'t+8i]]荴O|A2k\G#|%'GYSvj?#-C}e4&"t2hdL&8v7?XLQ~vzm*}o!Aq(_)K”lOF]s$?&^|QŔmf,~軎]9GZ~=Yp.md?8hw֌`GK\dkN#CP[Uki|qԝpYťTvyMiC*vT+\ǙZ2pIvn5\ n ֿsM;HED¡8]-Ͼ 1Cgj`VUmwܓ)`5L{C1!1`eԽcor0+ *reֆ_ w6':wU>>ƪGt+߂!|VOҽ '<˧W'j%H1_$YSqT|n37y\2er:ߒ7OD+Q.?LS1OړMPwg0ʳ ֖Y/0~/i1tCjuPnm,u-oD2]V:Oڧm0#rl(C=QY(Hr|0r׷1vn*Bbs:X'EUÑqx.R&)tBOJ3i gҏ0!]Jک]!;I%x1NYL ,CˌߒH;=feBKևQP-Rƙa`0sBkT[,Q4'yN2XX<8rz98L`࿋z#7"#>2fT~e)$M \?BEs`d77 .#=DY@DW^O` =\OT*wO*IB;/hDJ"ZѢ0{6k*ϒ>fTBPlD' 3S}FWiSM005\UEqq,%Ex>+$CwnO+"HjToOJu__{ a%$d",[$„X~j}:O٧t &17{%ͅQVIU=Ai!6ЦoCp9&beƒ 6,8lcsƇ{]Umfx=T+ſu{zXhp]TiifLt9%vS4 L-eʒ!3Vg#}/ˤ'ZM>ea@ގmUq[ ًG{O屄^fgU=p67TooEhр?IXJ0/0f~"`y[Z/C[AP/<AGdH[w[.Y ö3Jybۋᘍ~l+?$50FO?! =@bqQ u`{r `KÿЏHNind~R0#1;Ax';X(йe+u{PhԅˣYJ<擐#x+!dp  =AI./ð->Ɠ $i@²GA?FT:8%+*fhcc(fbY<؀$ϕ=G;9~|v9aD /4%:[#V̴9i-Fæmn02pH9ܥ BqHFH횠D!R>8n}& LDjut/\;s踑m)tR",4_ZY{I\l|%M,qZwq{eW$vgOyA;b\a]Tq&E ܲ6À)FDlT؏ ۺ(oj\G+2Nj3x@\No>QX"ל.R/Mo>AClExr l'^#[9οa7VbJ/0ݼR0f6INp+Ou?򅊱Mk5QHlqLQQ-1lUă "SnȯM %m91N36 ' Wn>X7f,ݗK!H!4F}<(X˼0!kϟiRi@d/WCZ?(w=F.C1Xy3)1 X!*~-;ޝaTE=҂ĩ9{[, KVaҵ͜r~ˊ]}l|Rz1/>8 `g:;}TEmz4TVN%(O?ux%+ oc[wCvfm"qKErb".9PMJAwhz%-Wa<ߒ$}O=lh}>gx{S1Iq} ( Ox2 y4 YFu*۝-uhsa'f^ 8D| 9^}+b,G|jiظI񬜁.JQ2)]Xۑ(9 zS:D9ϋ5aN=Y,KT){| qxc˲6wtb7۰rleFK=  ϛu ٵ闲N*x6u[Nd$mqZn^{7s(Q*hT:beIX(A@xI3AEp !xctNnWWealVGN-Ɠ!^)ͧ:a5 ևniث[OfHM?|uAzZ4J&~`-eo[b|c={YMdf>FJ\FO8:>)d)W&5߿6p#Q5 eެRd7n679mGL>$y&ØSaQDϸN)T~a+i! O2x6 _B>ʈ $;/'5`ox7%A5=ݝ6k5Ns(a¿#Y=s!gFaQQ(1=`my垠R.wɎ3 Bwԍs*@0gd.[m8M5/;O#œU,kSMpu&6A dqĻ VM9GEl#rֆN!ڨ"%WO5J=(iTT`PUF:з{~,>,/KehC!svy`PDZ0 pm6n=uoyZM ~[ ß4,LKSWPrt_\cIFfn1l5'C*`"@kjӋwUx8f^Xe n` ѩ}hl6KLv`wճf^ ПX43Yݤ(pLCusGV8GϬi~))P5$gqݺ~/ >f+X9jq 8%N0 ?>1ܝA_;0jam@9 #O?*Ƅu0Iu5 砎D_RA\ wx8яC6G!zxsB]{є TVgX_0cEEE׽ne O&Մ!5Yfd͕agMp 'IkN&jhbPpP(}lP{ģPW:#+e7%?;ޘ:vVrʸW3d~Z0otk(Z@UFpvYZ5+Kv endstream endobj 8590 0 obj << /Length1 1361 /Length2 6023 /Length3 0 /Length 6963 /Filter /FlateDecode >> stream xڍw4 (A;hѣED7`fF'轋=j%j"J-Z$BRok{gﳟ]k8Y {*{ Ą@ Q'1 kpB(~P0kS8H EA Ȼ@7 j"PSᇄ99k qHKK *C00F;Cݱ':݀F:/M ,p`qί'V_滪TRa/κ65z]~^|%okLLz:!Jܙ6IO8Dzx۶\:ɹQBoW|/cewg[n7z:P(~h{\R9S >qa>M'|aBMvcˉNW 썼/Bnkx\RrTDCm'O`/{VTP u2]»PؔL>1M/an_l|p,CVCU%V5RiU@vdtJU>qz@A69& ==-mbgy= -ۍ5:X jNݺiO(ɋ>2g1s:  1N5Qs^?_/> #{sW>DP*x,XR4rrI< [g>߮egjfoi=!Gi2vHWc nX,ҭW_nTĿKU7I^oj¼r~ ϓ D|?Cb?R$ov ¸ghzv=V(ܚPA {ioHo7 $+[mOg :]" d>SAy|?) s{| !Xwu<͵ʕg;\3'G9 h^#>~kI~HI94Fpdh-78˄վqnih\Aཛb=Jm )fܱFOTp*F`bvr׌5B&Xnhy*^jL&mʆ{(>f"93bEqz~+e2c @w@8{LN!&z]2.3 +@'ڼz9y(i,9cHկu6F|&t8#$. >O&L̘ $mGZZ@sd}_>?mB"!*-8*]bvA,(e\Nw#T"VV^`nZtKTr^A!oCevbA@qOާсwVFĤg%JlWz0MfO[Nf8žT:Önee&H`+WJ`Z ]/ҷRg;UHp[B, H$1}~x0j%Sޗ{og6#×+(%I=Q5loflPRHhRW/w_}*ªJx`F6A筕cUmE^$qig}ezf,q 4o VnmCō5 Lf_%9@ kIW*.^H'Ǽ)R]cʖ@QSqdf]PqԷq֩ 7Iӧrp8]z#m؏ [OND_HZqn#M67X>3o Y&UqݸAAV4} KL?Ժp]|Y/t'~Wη~P 8(>;@?@gwEay`X#Ja_s;&Bu#4?LfQ;`@-մI񣯭JEVMY_VPhz;l祱Wз2M›o`EbHԶHO 'ۗg-uj?dOc¼pK|;U jʳHwX2)cI͉6܃ScEE4%I|G Qì_,<VeͰ/6O6~oև%U 5]p ^nR;}nsZ0il`~cjy_v 㩵?Xe$z o^eU[~yoi*H/"ג?6.d46lh:DMfIZ'5 S?zn"} ڡ.1 MDJi 僜H^Enߺ#Y#jJW//"!씩N%~__toT*DդZ>wyP00NzZ~YMwJSTd Oj;”&CKK5/\(֏^ IڠN}4`^NZu](}IX{OJ)?Dต>>Zrǹ!#V)ҘB]TA|H{@WH=NOYBί5Y'滸a!nKn2i"JBMFF7G0VhVsnds=%N ecO?kNX] ! Z.*5լPmuc6heUdP|).ZBgv:-滑HrV4u0]:=Wsԭ cJJuR}I`{ eF[ZH&O_g#h&$!0piUQi[S([; q&)JTG5C$D9?`: WAXVg~KÙAg;cX Sx)t~A/3YƲ߲}aC&?5tԖ 2ʦz,&:7-1rk#792^ m]Y O*uL}jou790fav6PԸԗ~8~ߧ= &ǢdAp&|Dܛs$dn>&S<[`'X)31wHʖy,K3H(㦜9KFO:̃ Yy"\xf7ܮ?%ĉ qv .>M̜ &Y|@eu |AWV`suzbT&xowee #%'Ӧylbm^1EYi8BsH?I"K I{qpkT'=UZ)no:Љ!=HLE%N/5j;!]v4|B"N 1Ÿ:ūbbޜHT2wq*q!zO0kha}q`/s;8-ǔFP9YkRRR +o:35?qL/i`aʓ XK&Qv˵b'ebٵ.3,V -ilaj =]Y6b&~RS(2f0"~ĩr+K~*s2|sv(["J<ǟM-})v(1jq&$YL;Ui b6kP|Řs*[ u#6"izc zLJ0 g[p`,C"GfT Ǵ+NnQC *;Jiұk2uY~B"3 !i@N/H Sf>UL8#g<;4`yrY9^' l>~+2oD!9w\UL# sN[6!b|1h  મ9qOɆǗ1q OL# fzr tB}K:Q-*oJ* #j^ fm說"{Mx &-5ݒRGNvU<we |Lܟ1Hmt}Ƌ.TzG.hjiΟH~fljtzԴC'i|ehTTu;Ɵf#3QNzɭ}ʽrҟ:66B:jvrLF$)JT cRI5 G~LN)"[ҧkr4 zx}z#櫦.u^yt _,xDzȘ+* 1%-R^?lvqaòՌȓdpEbY=Ւ@V" _%1P6Vٝs`G찮y2ۨ9 N֛D2j{5NbbS)%.hUW<-."ZQb|>w+4QTvIH"t=2Mg8 ,2kY6r@IE(6Rܻ6n$L\#m|C%9OZ:Pr5(8/+Rna^/03w>ht>hv-m endstream endobj 8592 0 obj << /Length1 1791 /Length2 10042 /Length3 0 /Length 11192 /Filter /FlateDecode >> stream xڍP- \www݃%h$ ,dfUUWuk:{iqBAJP8'/@^SSÇȨC@c2a`ؿ"A@M Ԅ< ^~G?Pw1l A]@0LFy;,6^QQa? w  ;WBzP0_,p7ubx] nt&#@ ӡ{AGlr=x؂T5ڮ ?5 9^.޿Mv#hcuv]v`s.1 C֏( q=ryfE[y3]d> ?bk [WnHUᯘG?6{ #"/"@6ܿqm~! {l=` o#L^^-ك]0a4ď<ʏl.8bncuU9#-Z)'q8y<"LJyUǿrU]저d}ܨXViA t3A/g',WoEJ~??~3Wģt=c } 59 [zUqu4'v0L }8)?v=,=N5{. qo zCj{@ww?"AڂP7 L<c>h!AoӟH-pHTm7woܶnп  , y /(O/HO}ɮSc;0Jz,RY@#k'P@ǟc#?j|u6*c:} yl0AmkRxqnKf2/@+NY%,Sǫdإ%+oyoGFi۞:qq&n(MZ̽9U,^7}#?smd/&r%av bJQ!M3Rί̢ӵ%:0VzbC??'8)wÏ'&~ErL nձ.quY%ׇܟm2?z9]W{k :CK; \OhvńǓrFӽ)\,xlڎYw{tE}T`Q?Wct`5gY;]ƹ6!N" Qg͔ m\No, 8D:Ca;IeWZcY?Pn/ A}#gߞ4G)i%ّ̓a@ȓ#:dHW';J0׬)%|'-^qZmUΏп7I}㋪0h]֝-9jVeA=^&a6L<)G>1 3"P\9v,9K~ 鶋jenݦ!%4 `\J'|_&ؚLaAӝ6N!!ȁ9j[1vc2mX.~+ ]g (tFbρX@* 扅›#Ι>] dbUA/NY""K<;F{ney&uV:)YFIiڧ$++!C8%Mpmp ~1&! I?_6d5B,taK"m C16Ool=*_?}1"l +`k zW*&N^d,/@=Ұx-ɷQ2h')e]*&5(ޞJ tD, N :p;%}NXZd2Veٲ짢t}`yC|$Fǀ&\z{LFW<(hIɔ%6*8i;BόV˳'SvFHWYJ}?&1?ۼ#Qo®v,ɴImRhL=΂FeN*CckZRbg]mb5SҤ@9qOMS+:FH5Ը1R :]O?_h?)q݉0ʿЭ?ؾeZp?ouYpfih. '|;3c}-oR(L =!8ooɪ:k+!Auxʒ5E%OFpL~M&6/7譡0%tׯjB3n{O%-tԥva.x1ɷq0ޯa߯ܗkOMr"W5?+H|^:P*K;&X9`ny)X"ojCft՚X eHߩ%o ͩtM9vIfٲDykEt7:.yF}|wkQQ4b읈9(ZthI坮+Ϛ< N֚ȯI[?9]tB"AxQ* #۵ٗFû\wx#w3yM3#ضIkcD@G+LnLM@0Է\)QXMѹ#_MMOBK2 y 1fʯ/]Lx2zwIJ*+$%Mp6ۉN>S,Xt8g[SƤ̏qF%,*:Ug1D_YV~zG}"z]H}xFfR_\9Ɖ}+=jtk%Gq70C)ΘpO8{`&Ž[OotAP+ϤVw[W3U9v>k1Bp9uB+ -cjA6Gth~rV;d$Yb\/}e'WGHe0VjcN-ʊ3L"ńUV2P3d~.k׷@BtF,tӖ W9L|B\*VU_kCDq^mΛ{Ddj d 4{0~2#~x&ck 6z{ZyRc/DЦ5n(`LӋc?P-vk$及^ׇ,I_m>4Onw|㭒\ =+lВqB JNR)C6[!ws0 P)~rK{Ōq eލxopM;7ף)\ؗh!z̙,ܜ󸾔7^_Ev|UUt8鴷gݣ(9V<zz3o4 %~&s6Χ@7i9a8b,+2ܿLaG?ˎ䮳gGB-8A!(y8if3;wWU0 ZrDdY|H',7 TP38]cki%=OuvRY$kWn^Wnd#Ǵclfn[ "օg, bk$'Nr nY̗2@)@d` æQ,8Y˸谟뾎sKYM1m[}狺~}Z\^Xpn$ Vr~oeNtڠѧcV]夝D>o IrzVKJ&'M+3g]wohewo6 3,` Gsy-uƥ-iEc]T5'$k5,և33 4)Oi C컒Զ;=ɨMY ۪k>Y"ܚT5M]VBH8"Nm4 ԜD|җ8(߂|E]"k7dd5_~L#!dYW†kDL~I~yzSumbO)T,][ڏVC2{zfl(i֚.e\Oj۫B!m(Gu m)M|Rv=q6zcId |HbWZ} N.\}W:!Y-ߧC"ӠXXl*-Hz´[9 îT>: oNI RycIqxDULPcrk9sVtl8Rnd}\n~q;J#%fO||I zxv YgŘs06 FQh4-_f2gxVSH`:FL䕬`eshࡄ#cju QY#MmGMӛ"M6bIxT2A?鰦~ &aP9;rYHFJ,$[~/T0ltζO1(f( @Yɯ .i%=+ylPa7~V qu)+iyomI9u$8q3YA刽2OmQXlͨ%]vN[[~eCF2IL_{k [($'827fzZb"(;oV Y7ft'oqMR1B8}IoǸF2Y@d ܤjXͫԃ=yۇ\=V:ϋ/BYߦ 6>H$M( [%\BTfU,Y _Ou[XArAGŵ,iySoTӧ ^W*xՖC_7= Q>_U\-[6yo+JKb-Kvbib"YI׳5,5ү)?]E { bU=igBʃXK'ԙkDjT:$#\~}/OVEV8 ;4 $e MS(\\A -~wOfM+~[3VAs8=IfgK4rgwZ8(/OG\}_L_Bf|4넵+YI|m1y/[%gнPPSf=3U-3 _U*""1]Qs$Fn ðt"$m31.fqh)2C%hX'μ=?-$0<8}3ZTΜyyDŽ)P 8JM n7MQܾ,3L cʜYRTێF1,c{F#Gg -O 0A\BGv {D{^Gu%#1S d^䃓@)Pz߹#ͯ'v?k8G>|L.9ci΀O3볣?Òfn/zK &3ZjgMxVO7g! o1cZb7nZRB?5+KV4V"|q;e2gR.1$4黖zbƜhMq-#}pྟoHf}R,WB{p@͘d靭txR<$tCdM(RxT .u L0ω!Y8.e˺XO(R7ZKgXwoϴFM鷓s0V\&#^h,taJNϣz:(/*å?L^>&&Dm&cdz[3{،z4>-fAgJ2 y4#F{ҏ[U)]j{y^WGqq%wYrtyd0%rYd!6ӱ ȹfJ'rM㛪Z 9."Jf,Рl +e&Ob,9sw^Rf y"͓J+M5ådk:&6* sm=3j$pQ Lx,3sű7jS"bfC0|(c~ if஋po>_7蒗8)ԁej@"(-,}iU݌̐}%ZU;'cth_p;2;\9d *K"ўdq/_@O1n[fzbt/0(E،D@6ox 7/Kww]%u*B}̽5t4EUG ukzmˏNg|vmVi`&MNᴨnhC(Γنʌ /:"}+ Byވ50⟵N#a*W+> Bv[.w97m4|bPQ :* ^c74C#He>8 Nr{g(mi$IV~Vր` >%ˈ7+V=e=Y+ow{r#mcRk(1qJ56L{Y9%nd+ ꝕ7#E 91權 7g-(tMnB(NT,(^o?UQSۺެF}(4%0IvO._iRa ֲ=/8XOU/pZOJopMA<Nfjv55z`'ܖFؕ/uZs&tֈ8"z w2sfN< (]HIiѽQ.y1αEGϮVMSCnpUʎv*ǏC^ЅՒMhA* lA~+O2FkecD[^-~@sw }G.izXJO c/T73؈'7BߋyB#Q˿f~H_zѩ&AS&=̾) [ ms~4I^;PLB2g7CQA;<9mU'ZMs@B|e8}%&DAƐ~{"/9Th)-V&jXC.)=gq6J60|*8L4O>+F|Dۜc-*]bSu?ES*ޡb(왏hG u~^6n-W 5fK= HGΟ6Z04Rp k,](w%qo'q2g'R߹it>а YmJn٘aVdCg÷(p=N+(]iSPQhB*föL,0 up1神_5b_pyEw.tTٮ.óDr"hQ>[3Lw-ް/+Dx|gN0y^)pVk#SQ]@b76*Zyڼ/oʙ=ʖs ^xs2({6DQ|Jk_ːfFKE$1ΥJ4% ͐c3Є}5k-#4%ǘ$>5:cosѥS|l6X@s[wz[ǀߥPz갤e+DX:۫wL78Sg ' 5 |L65]m9RYӹ)H[ )s"A-pL<8l ;=P!oP$EY~|UFRj/_k1rP, 8RU`pÕJQQt)?6LXz~ݵQ؝gowqH*6uV":ըwQjJWINL\}i֧5ǚL!~q԰8[s)Id XN}e9b~`\lk(,-I'Q6-WSF4t!lz! (ǝ):|fKt-նYEUF͞vKӧس#kKٱz,Sy+q:fh8K!Թfˮ>Ex}CxEVᗗ,Fq, hdrNa`6Xzxe-?S yE+J=1HpP}E),/+,(X|7Jd^"eYe x~ )B]ŵ?M>3X1[•3^1e,ސp>΀K%B['Q%z\c toܚR!iFBȀ]ud—kN'3%XKew)C0{ -CIi$E/&)7O#B4Djb|6A0 OeY]dQkl)QIaZNYB,xu]L Rc!L="|5S`tgL$Ϯ"bHv!^yM+hB)/Y?Vۄe4Q -d $e;pr@vAbIBW=r]PN9|Ώw>䓷&w?Dងq32G^靚-jHc\K,:_YމޱPـ$ʌ>g[4o;YT1IKٛ `v)d蠻DrdeC=vω.\:зO~[LoqUvJ; TW0:KdXRGJګͮ͢c>k@/xpٲKTm%B-s/DMgZ~DQgocq螤4 )1'ؙަaE ˦CFYԊD7uƷUz:^|!Jp+'Ws=S=˟֦oEõd|aa@n/@p\1 [QX1( endstream endobj 8594 0 obj << /Length1 1491 /Length2 7793 /Length3 0 /Length 8794 /Filter /FlateDecode >> stream xڍtT[.HJ 3tIwwI 03 )%ݩ4 ݝ" -` G=ݻֽk~n mI+DCr8iUUEA rc30@ zG ɀwqp@A@ O E vZT9Jp wt"l NH:B\`@8h vh-J0"N\\`G'FE  0@ Ìc Ekí`w0+ ns @ '@-WBPd% lP@]NdaV]> u[ EauB"8P_~;eY4C"'uX'ןak( +W'.](Wȝ o    -ׯ:NN/_o'j F +#l`D, 6P?];_] s;rh*(a>))@ @n2`_mUYw۽;d 0rc Usupf?`G_wuEM*n`3+{Iܩ c"+ (fu͚р#, |wfi FM5yw0Kկ]\wWޠ x6Gޥ8.ؿW\VlAn?  (p9 E"`r~F %9H]mHy$;֘(~7X)&Wvl-I;;kQBCHԮCML / ()RyJ!u] b1wL”cA,~^?4DC> I +2@!ËQT:K%|e]'e|fRt}oݤ`BeTJP y${9T؞{x +30|VjTTԼsH^KVr+\3LZe0; MA`J+rݠ!pYt飅_ROFΡ.=3(H.!pn6FOg­(e|T /:l^_dWȪ'ئψQ d13v<9ꠋM*̸LtdҢˇ5w8ϣ4~d}!טDR/߾0Uk((į<Hě溣-z*]M*N܈%0_&2c>ZfwT8 2յ۴؁sQU 7V0nr}gpЭ3ӫIB=ƚnx ! 2 ,S̭6&X*0"e8 bUJ$5nT`PbŒJ>CW+tF+|Laվ6(pu]tܷo3䞬}*N ^5\NN.o29F,RڧnSz(V s%u~`c%}ZU^i y2~8O0cUIaH"Rؐ ,z$N|ueR7k|ct3iI-__=T^<d;IO_rQqf[ tt,QcX*vtYPM޲tp~Bo+o :.~Z#$MQCLs VcULbѨZ]=<e2>8x w?:=!3/vCaJ,Bl)0((A{a9uY>}C fQ Ȝm7ldamS^TmnA'4$ʏYknқC1|a?@A]a;T *%$-RcSܟ%\:8t0.= q4>hK@1Zn;C4ls>BRd0C5R'4\K%}ZWMeo~fuLITYZˀC%^R>RDOBKo*EPzzm?>W`A(=ԜpzYOlL8ߊӋB4+nR GgG#>THe`F_q ,0r{2ɥq|y7тF/~݄K6rx-/Z틈x܍KC\W0΅ve۲%ޒ}(g^,)b0[4p+28|:"lS6G{i\fb.UUsQ[mg\e֩DVJ揟lrB2?6pc :Ҕ/nj݄Њ7bS@h##2 !n5~f9Ǫcf WaS)L|'Mq]d_g?*QT<||O8Iϯ @'h!iW.?FfZ/K{vҩlݻ.CFYil''t-ӹd+/8E^a?R0君0XU.TQHv=oQYQE{Q)j+1NJ{[6dnF1%_GծB=QP%ve IESyC+/5S/&$hf^k /R9Pm_f\Fx e>|\HA%Վ2\_ų g8H4 vKdMJ;K0nHs^1Č`:܈(&AnZM,BBNղ4";L_Ÿg!_1dPa5`*hm5u:o[1&6z;Rbusd/O7/|oE[C6*B`ЫTraҷХ3iXhN=n 9QDֺu8=ގ(uaqQt;FGn4~j_l߇Wf \k/(\{^)KG#ӑ Gݐܞ|Cb_@T |SǛ.){?9/D־&/ 5[bM2z\&uڼ\u];1vx٢<6 pd>YEZ#0Aj5y%C}"|Cd'ݸ׏(vyQLLw e9 Վtx_@-p븤|o%1nh3Gz1 ӱmy 'd$WExrC3eRr@Qr׸֙k7f&TH_1!(QBVKIk/'V|wex?bHαйڠO>2'>zNGͧS$ 3hB'&ތf 2 _/ưJ:^kǃd|5ba0!7-&Q7]qڞyTYr}mhx SUB^_,!/c k'CeY*RvФuo<]?&ϜI%xOlw T4d Al}[  #47C<Dg*|C.fQ"Q OO='#u6F}bL͓^~Eg? f*QSTQ%5(CbjVy֩[J + |KCUqX> U- =I')ܶ;Y~9x4h"3K w0w%NF-頲jOrP}oq"ԚeLH;>1ĉB4xu͜i;G4R:L\?~: N w -ɥdS"N\i|L?,`k̾}lظnD=tА4F"zP]%)ܠ!K"}d\}YX^- #< =R|;:Rmd75ojrMEgnh#yTߌhe  XyT~.%}; /!s@3ԄqCuD>;F/PU Rdf`dP] (3!h!]Z(1g!L]yE9qa|W?'5yĘ"y*6+ VLB2k%yrW탒nHŞLm&Fbs%_ck5+.i?i6aS(#~m$X/^x p`|8Ut"nfR,.]}MqX._`yj<';.B8K&b%lg@ /O5g꒺o{t'f^`sUdYܸ4}Q pG^*e&WmKaj-+I^&׌_f+LHY׳u]$B%-.N l%%AMJbz.7߇Scb:ɉ[ L aI,mBlLlKDS0~7;K)"d }.k7ΌAc\_! ҰdIs#4/s0rM1\Mr>LjQ׃[5nΓ8 l瀋M}V۴ Xe!+fXyUB؃hrE{jϱúdS~u)^ʻK '), "NoSr JɿrB7P5K:׭>U?n.Nr_&-VoɱnVQ_94[L.eW۩p&U7oro ^5,kD efK@jn:J)LK֭BUQ"MöMPa>4E͋=D珤򭠦ةV6HW:ϸs?6hXOŶ)QqaΞ*k.+5#͟/m4R 즮+$ }d?Gt&R}BJ$?8hXپ+ f~PI4%{nLv83|x:ax?JsH݂QPy 3 kY6{偧`Br6ד䢻oQVr "]vJ!#^z1LVC7ZFY{{ܼOӶcF]\l̋6XV=B)kXTGGԧ!-V7DNuzdžȬ\^h *=1As+0ft3T7 R~Lm:)A{whV)]]̣Hd~ё=M Im/Ǡum'.X8$.i%YٓO"}$xF5t8 e3&K&iʄ4 /go<ÌgY{j88kYًimϼ¨0kiljRd? BW8{=/;E9jmv 3hp ?Gv^XS.'LGYEK aozB,h,/xʉ3,tT~QH{C$Iv"ւSQ-oֶ{\ءK<+'eʰCM'8 FR'Qx+=<߶MmcrG%Ny}I Po"xsD7p=մf)0_R{@2s^}}SBoaD +eN6_W\/Uprj?6QfN~oRAmtᖣƸ*BD@FBDdb8+w?} ᣮW+3Oa1;_yRe{M= T"(R8ZoN ŧu^l89]gdkr hS<= tkGn[*s Cuj78 aAP|WѣYb޲gMalܢ]y3,J:]B~yED|*{] 5Mx^X_P6^:pMf0A6f`5" endstream endobj 8596 0 obj << /Length1 2931 /Length2 25635 /Length3 0 /Length 27264 /Filter /FlateDecode >> stream xڌP] \]_,w .A݂Cp'û$*8wwսWs"S`p4J;:11$X̬TT6nvT@WG?$\n O n`qYY4(1TN.6Vnm50ؘ:LݬM6@7vssgad6wevtcxڸYԁ@WeS{ߕ1#P4m\k8Zy 9`t6h)T;+76f+_N6VK; @EZˍ``oajcgjr)@ZL ` *\]l\]m~+ R@7W_$m\栶{}o=|6pwbrqvI2!Y\<|3en+E_fPNNKP@K s `ac0Z8 2-Ơw`,u,rbJr W `%2ЃӨCX9KGlAmc@pKZ YXA?K M_˴,yhAc]uʹA6ڸJx-Tm̭Vv_SfgTutu@G@etu$49R׈sqL]\L@ B\_6,Z1 ttAu\_7E7HF߈"/aHFl߈"qtqX#E7qQ@\#/oF .ohF .:o/q@q"69HjZ8@L@H׷"k;3(7lbjzYwD76q1wf.v # &Y, & A)@4A:+;vWL;d joJem~c_6 {]/ow_.r]'h7ko'ktA?fit(], \PХ򻇠~V0"A9bˠ=@'? DoЧl_׵l݀fv{c3/q!(ho x@I\m~O'#v?mAL7kc긛@&< f(1ww_Y3#,; ևՉz2 P1.|u@M YwKF[ْ]"}=jm}ߖ8A}j $NDёXC1<߳v[VoTy(w2^ }ˣwvk*b KgͲaܘ1~z^`N'0 poVivSC^cNQ~-+^_j,&EfL[aBcgϬQrh1!NTތeB]8 [ ~jvmt+`Y(yuh]ZPVNH'A2&qtDP q# 4\7\mU|+<ֿr,w;O7ʯf~,·2zG)G&Pl `Q,YMɵp>@Y)'ӳf(0TZKkj7I=A4̓6HRd#r[BEhmwQpg;x%mQ֭~jd%p,ȰmSӃ V oG3{|3rB_׍\9ml]P!ǜodO\jj؉ޫG#ϯIyʆ-EK*7:^d5[Gl,уBNX})O'ozM a{XƱgPc,"g=꾟/n* ĆjW>}ҹ F. StҸ.g:͑+;Iܦ}n{V~hVA*zcC4tR+6̽+_1b]L0xۛbyݓmJU=D[NC\eW B"Gp6NwmAA&. ,,W}1WvX'K1L QWdmWʼOF_oMrHDU؎YI?sxPdl*)}^5zm󙈖ǰ$B-hiCh .3c"3YU5y"TT t܁+ZdMkм{0cAKuCK;y|X /-Pv>X@v]c_k ۸.w _b{ 6Na)蝀j(|pξB~؇df v^ywVBB wf vvV5]Kf1d-ss#?M9pF|-ŀDW'(> ]pՅ{ED9>obV FTz(KvD)Q)ڼP'-Xp/'t!s:V+&7.)pmڮzNo{#8N(ugk# ;YA@l\.87AW{uE6gg29THgM$9ZGAF])dX酏)`%U3AkҚ*tA-]3) ;;"åO@)*/y^!:l^i&/m%l7>xiN]2nʘ]"(Z$%z*,D)nx&*Rϛ(POL,3QyD82 (_\s8f@g$fNVLS7㳙ԊNߠ0ZP0Z2yzS?3Xxy0~]c]pB2^"{xVdpw<;zos!2IS=X#CVN˥M >XީzqɆa<5 ,ːcas_q-^>5$4cK81Rpf"|yي [Mؠfw,IƵ%T 7{:&H(^uq#buqSoG^ y빔JkwO"a1cT6=o-$IR VlϫRȮU1/.8`W_;w!wsmc'0pl}]}~ۢ|yA4`όA3-et' Iz^s;L&]"[#K,FO ΈOl%`v-+)߈)ݛ,M(pUy}ږsq>+ YCq ^:uv^DQ_۷&E`'(T1)ʇƏFK܄,9S&?1J# j#L;Fr = MI}vm.Mp1mD #wPwt>Cf8wMguGE/Jƈn=!ubR,|fT gjt;6޽Q:o*CS{j⁾bSDMw]F&^ۗGb ur%Gz2^b+xH&m}4<#+vKцKKsc utj>IOd(-cf҂-ɶRC?'ڒs~immS.bx酉ɪБ3 73 y(ҷ{ϷFI~IdYYWtl5A3/XRKRQ [3e7X|,bn|7u0tg]Mo!; 'h0m# ?)u]Ύ]Mvh.H)"jv~b3ӲUZ:nyAHz$rU-b:4ɧ{'G!\&qƙ^]1Z9~Q4MdDQѸ I3Vn!JXqf }8|χܷ,!G¯Uˆ?px /fĭÖm?Sl%sTޣQ1|"E{->> !)S-`eMPK*diYĜjq .ww] 19=Y VFf:}p0˴hO}:褭p#,e2=bwԸ.ibr&,l>#vϑY c LWu5vTj*dhB{qzWp&G&eUypkINuꥇ08(K朝JPuw3`q]`ҀET1̓!#KҘψ?ƛK!U&M@ZAi䭊cѳ wEjQibF5{ 5+Tn+_Xw5Zt Z0GHoe)fXHdb+H3Ӧ۱;-$%e96wFGQ p$?\C#(8(j> Y1/c|%%)Xb85Hi RL*a斨mKZ*7btѯ_JN1k$|PS_^(u=iCEڗP䛯;D eQFroocǶWŝ~Q E hN|}oj[KG0oZU \)u}y73Jh =׵U# J3dgXY)˦PI+< XiMs;uWdD A2.(Hpט/51exqF+ri[ `1 >u4 O'YpOES>w|.:]aF`HP"CI9jH:>rChrjDx6y`" ~WH7A}|9Վʕg@oh FE=aao5r4£cQ%Q<0l޿o=_Ln~f{)/ &ZV?""_>8ID,]_:M2M[F뒓 Lw+W{ WC y_bN׆TBxnyNX"4Üy7T>>' Jw,CP~TYG'I}*tq~v:p9QdPbF{1o)YA?r mT==:K}3>~Hҥ/v5P K׬sn~?ܮz}`3e^8LlmLj{sX21w>'`FsU0CL~ >JoYB!7aYhV*]2.eȝ%UR5ٴv!_sM\^%˅1+,_Qݭ׍Z.| ƕso0N#H: I^-Rۃ3u~yN&- A甫,?xg 'jSq$kl-N'ق˕e ((NG saBzf!=QQ\yӱUr$OQUD ^U۽-BQȇ }k2رDf'/;bs^:` 2%Ҿ9dvb}jz*oI $ :[0pkׁJ1OˉU`4rQ?kޞύRYNi4(ŶxNkAX6zcb#I!Ygp#]\D*36,!GP&/NR"e4BX1 ro5A"+Z <럥oѱ<}GT2ӧ!]_ %eXZrhfqDYؠ [X"ҬlQ"ݔ[$ oolPeWJ Bc\<0smbR xalAůͪqgJ^^.! 8 (p:r@Nf]"ckU[GJ^"Mjj˘éQ1IjkCEj1>X0Pa4M~Mw>ٞ}]v,0_ 62=}#潇?okCw1(c #@X`-fv/mʍ˂9ڰWyc7K6VX)*S9Rљ/NSҴc~94; ^K/6=W4ER^_ssC? oCRm,1Gg-vJJA݈Bɸj"t`27}"TRRDnqx59t߫Xhw -J 5*o?,CJcrrLgG{ƺcmgg[m:M>*A-hhy]n93M=n5QcuA+pDx*j5l$uq I$.\^7EDc~{'*}KB| O+toaQy=u԰ 'KRgt&[4^bPEScbbRk@M.cݐ%($v3M{Lށq*ݏs$քV(05QLx(6wPDIA>k"7)_Lf9#:n}Vdzmɰb\휩X$8#!+~?ԩr$z$OOզr wvP;|٧0|㓧sWݘpQY{ w"xY"DWjrCj5|lVT^,?GoǖIŪ/~Z%V|'uӮA#$sE VַJ1h>{-\xBZI֧چfՕ>=}Um ]+]$$X41 Cf|sюamsɖYɌ=䎂.P;z[ъlOfCD꣦5Mr!=cB eT q'f]HRa"hpQ]vpBX\(BIX0*|÷Xh㈉$zNl;K+\ jՂZz)+3݈%m$~ -qngV0|%dbg;6atpӗٜi3{T 46+okyQC>}vpK̢~2Oq {~o+H: ZD_tI&'N~_;$3(OCi:Cv4:[GaH#D={@)gy/`ٚf+ZZBKRT[瑙WNQsVbԘZ ]!3ol-mM"9咼= Iz֙UYbG'v?ل8s|s!2+1Lj{t$KDT։8m,cf'5jX8|&8HӞ<:~D#^w߱|א&R~1|;&B*o掄hTZ\܌P)y? i퉋ʙgnoJ߮ez>!ӹv99͡y#K=y>d"nwЧZABeTϠRQ ut1Ga!H- ;!ѭd?%&b=-X2yb\:WOh(8cOVٸN``i1KUc2_Q^FLy~QgcZz٦Uθ-i$Е,{(O*ܗ&h{ 7Q- z& ~8\.<݌J۽K?pOiB || ocv-YeafaZ3\>Xkzy7f]W/jZ\.4AoFӈX>юV3}}"MޖoW7Tbۖr,;1KVJ8ynS8AN9o9Cj?6nCy-=|KSCH%*F`iŦ)0y %S>`N[(k )#++L4#ُS8 -G"D_?vuZ>|.spjL@;L\LAt`Cdw̲d39d<ˆB4ï,! #܇cmEgQ0TdllB+!P#YzqTPm ^+g- Wg&q,Sh@PioG?+R歬))dϨfJ5nDG';?XyM R!&vu!I[٧!%Qx g}˽E.{aGT}ܲY g-D3CZ[!ivĎ rA8]P {V7?pl;:փg u V)0t"It6[~ƚń[%G 8A h<劏|(MnO6G1&q9z,ȅ4p^#(}.z纜eH?얝uN'Énemq;)6JgrȪT7_DL}qOd>vOioRW?u^mm%O~{j iHgPwiݫ&š禉F$Lܐ"AH1a]2ɺ'D=ZtL dSm~t{A[}0|r륕i#KZ0ac( E.n.iFga(A}zw$&1O /!&nq|oN+Oҗr5+' NC>4QHWO0Y)^4y_ybiJWӧg8t28n)i{avxT﹉*2:irq-_l1hEWsP"m^U#QLSESzf`3E+ Q:!O(cA*5rqLܟ^C˶b/748p9Ы<=| ZY 0ԝ$V8ΆhP嗦e,TxS`J-c֠qke[LGCv|6cԶ[daX81_l'IPGِ^$盽X,l.+!fdT\w7 „gt?|#)k,9ט*m&@M}I?B;N[ۚI,dr)̫@PX?񪣴v*5gBjuZ,-Y@59 a*Y3+^zӆ aUJb<wB5 cvYC갪c_}mBZ؛8o~ t"qƇ.ŎFQLi;U MC(ƚs$tHDExnD>ai4w:͆raA3*F54eUk^;yQ)7NLm, KϢM0{Z'ޮw4-N.J,07'o;yc5-aj\$t}y֎A^ĩd!xxo;*5{7Q 7'RRbZT2>%<`f'V>7FuN դ+g`hJk_+>C}P;G? -vv૭ayH&_b 5<ۯog U'$|V=.,Nε_UPԀkg!(ב<~WȠy}1;!6cKmf?!UAwGa T20>C{$Ra(lS1^T<ڳ{pRxK{c6VY!-}DLXӟB·☘Of(r^{VHh \>(ǃxn˶ȷh$Uh9k.廭hmBrۦׁ%8xˤ&Kq2nq)Z6͟?6QKF$mDh%$q4nuA@#>+K{GH4\8S4ćU^OLw6z1'ǁ@pDam-{xl̓[dxZ*fзCphH'ݾwz˘oɪюMvd8Yw8Wl;t2f:7i [:8ymLm.DCRw}p=fkm +oYZx\A,Weց|n/x7z/ `u>dL,>dlPvK][JGsE1`W``F\?YS-,SG!FFE"'٣Z?6ZlܱF̬G(hӆR[3ex  "S`+9Kd. .n%P{0^0'(B|<"~ KF\t(ZԽA9 b/©0>ňhZZvV^d͞-%vhӬh!t*0PdF6=s;, (`_mgWLhqK $K3ގGӁr;SKYTx~~"|z=C}X"}NFR 3%&I~;aҴVL Shߢ/IQ tBhcMncppN߿J&Pu:?SǜR?޿^֯NJt@SZ ikzTۏ_*ԳVPJZţW~~p}# #X6!_o#! 8r%k}" w)]aSs9&|G/.pd[W@۷Y٢\ol,0&+5Njبa3z !4i$sDGucF0t!3y;~%eA-9øөTxjF@*7>B7:!ރY2LÏ5gjt^RjDN<ɛIѶߧW'tYDV7q>M\fns3"Bie%Wfzdwyl6 +p#/ IEzʖd8xBҿj9*\#XOJ uvWF5!VJ"ueƷ ~߹+u)o8B_\4U"R9tK >U_wǩj0!p͗0)zR$~VkZ+"[S,elk&7rCQ>s2ӽ>Ƥ!l}0Q'nT>=r=X<oTc<}À-qY4b!kh 鼰9q=|$Vx)Wڟ'q ۱-n/HE 3F5${fU3}TWt(fڐH)՚Tb/Hh{TB0/ZZ_'t쯃#ߛd?c|qSDUV4r.zKXq jVDze\:¯9ǁ* 1N UcIG|%հ&grҐWY)_v@T7/,EN( h@aYiV'mʌp-6Ɩ bXDE )I7WZ(zA7S!|FEz6Hgk@)8aߴ=eBv%]vs;s$+dιEUC걻&FA[ E'B")3 {Ⓩ!Jo= kÓ{j/G] 6;g ֑Sœ,P:36 %Hbi7z5gsgkxZ;x^Ö,wyg5LqK!܊:_Gwq@1^Dz )C{sd8>9ӛwu}~JQ *R ʖ!~ TyIe$)3ͮ֔qk WiEMnLb&'z 'ry:Фgs9#/M+] a}N-p*KxCI:ٙȮ 4ݔ9Wt1L!?aoB[ U@Z5 ']^ȵ!ɜ!Kld[֢." \XtTNC/zez'VӨ3%e>y}2IǒݩI=[r!Qtvz``Nz{'.Vq`!1}<-8W'wBo)1׺õ:u޵NֻׯSo tVA3|Y&9MKSvs:D5pV_7Fo ;6tn! W SӽXUB]WwT^V@E3#%5.h Y]{HᡰÐt@2Ya?gٽ }(ՂP1[׭KϒS*tp+ nLҍIWXLd75B'">t PB&r腗t8paCEà5ZR8 /aK*s}+mU>g3;y )59jU >R2Iw,ޮzG;꜅hU^"' x3[VCYCsQs3J`zu]P%+nlϳ;iC%0k+#Øn}5jU! zcp֝[WK{N|S)'m?c}YEӪKf{%{(y"׶ms\`jnA"[\m4Әֶ˾BxZf8)])5.~1d b)i;n48-|Bm8ԣa}Wce_U i{x0ƵYd?iXKQӏ;āL}EeKwXaX-3&{"G XĽ'r2q'xS\M&x+N\6Z'5rг+T7G,I5i@(q٩aZN)sVA+9\q^?aǗ%y%3e1؍ q6g翑8J0#3Lb!=0c_`#jifS(#s|=~X6$Ej@ 3%WcЌ:^-'w;&3,9 (7(zP=k3ЈAꍈ^>eDF5T\ GMƭ8phd5´D3G]pֺ ?{y@b{X@)-G 7gyרMvH`h_VRޣM%'Q"^-.^mڛgw](l!- 4rt@;i0o3ɉ<;Fqf~KU)"T5umTҷc[R+K5۾OHxL:q\8a͔v3H B?O fZP|Pp y[!"U/r(I+I<.}R@Q#e?6mzJ(s* SD"!pcp"[_7'vHS"&4)%zXpzŽgYR[} 'Pf>YKMLXMMguL5\j!"c5v_r_by>y&]* VկZJ稉fơ -"\yitj^`rgOplDhӦ B{N8dћGCx0nDy}F:]BthQ/D(yroqđR4LuR$j\XOu{y)`L 3sj| W^U˂R"?q>5' t)k\L9$NrpYBMVPëݴEd I[/<!jYMx~Y?+yP+$ ݛ+`"޴|gK)0u)r\?"gAaM/n,4 Bqb¦XC' _\,[)MÂ5m{jF ]nND Ч[0iFF@+iE(:ACڃsW mpKF%/bbtM~|Tjbm[,pB{6bBHoU&9Zq3rd.UP]指4K8*yz{?DdHѴ$aB2VAЏ8'7`=|{ɝ\h3OG# hH=$~z)t:2 "URnn6(W?|5wTQ4J`ytrEޫ68Zg,1zې-m)g?'~7YVNb>|y d+cf\Ry\]HІ=)n,xYJ&<ӿhD9iG غa.-d# gXw/7NtB:f[e~cQp4O3.x#@$e9^Ӈ$ѠP tz E˔rVh2"\ADC1_J<}{Ҳ\t;]x:Nb^(PA`O%hrX/  c:^NoPy1yK,F`7XHvw MBTصfO;yrP=#_xs4G  񋯞ɹ?xu4^{Vn#\1<%8b jR`_e#{杵Q ]: .?rjC *Znvu(-@mYME/3$EDnXtFUp=T|Dze\;orR fk_6p熾@0`e?5`+Eu8hFuV tM;\V'6icop*9~-jy @n3-\Zh$t PX?*T b5-sc>Ib^9f1Wh{/ g[f="n9_i O <>0hOQ{ |#:~"nͺ`q}L O@$l eLƏaG#{|J$oISόµio7@(c E:2YBBg:|j}Bв5/:y=_ވw4MZ0!lO=Jr^jgšZ} 3;,mE 8'B!_b$Uw]K]s!S[r#e9-A6a^_3^՝:T7Z9'koEv{2?{FyvWQLX fWnx%*W^ HҳH~!H\\d"פA{Pq-Ua9YKr5 +;ߍ^)heS.0G϶ 0a#ƽ{&/慨s$"y[^T?Ii69CSep9K6KR] W%cT ST)u1!r sGr?2H,V"Kr(#m_-&''<`g&o{3 Mz!?YiVT _PZUUЪS7Sk%*1Ym5sZDk&&_r+P?QN`fa-=D˝#EApd"r+*bgS,қj%LJٗzJ!Q|L-L;!'>:H_vڰScF M`ame`^)sCJ`^"iͼKզz5%Z+ hbŽ.ř=]O:m`d0?S{d+;ʅB$bгS_SeZ7" *NMq\mI⑵䞦Yh? Xf Goy'Sv k# }Obm[LoꌃIg{7PURN Z =%DY D;Dk@n'N\[ LNoJx;s'oׇwL=Il JTbĄ6IӹoCrۯA P3[@FeXoG՞Bh >cطVIV3P!=XccQGDjC`e=&S92^22N ՝]3e,d.Knu &n=!Z;:0wOلiGlZ]Ge Dkb0Hrp_(NX/BŒ# @|19QQ\8H;%WMb;6QVb$]BE+o}wp_<%\{`ʁUKo 5֨cNi^Htn@f+( ̅a43^Bkmxۺ\%h+PC=~:8т!?ԹdwuSTfٴlJsPr@fɔ>cҐ~r vb g -laJu.(2r= `!_g,Tec=wj=~"ؚC:֖H M@ttvX3I&0KP1¥n`VY{fhwѶh.4ȕ 0 ,GOdK'gaJ#^s?|X& 4Yԋ63ۧΙRHYKm֧ ιJVk\ITHdqNNgo~(,o':BG^t s#7 v\Nse/\t7~I-7Qs7xm\3݂&GǨ`2+ӂE{W?l& o ԩ'^hD!Xu?zrpPN= k[(r CmX퓼PxR#oq\z/(b> 1If&853~^hon͈>+S>4 g?,k#]hp7we]$`>m#*EsC+rv^Cꇄ֢!ӽ"w+;\S+C.=ɞPQZcvS)SW=O&ވAcPAVs{D7:~o<}ebyRhQ5HyJ#WHEB:D"g endstream endobj 8598 0 obj << /Length1 1924 /Length2 12164 /Length3 0 /Length 13360 /Filter /FlateDecode >> stream xڍP-݆5X`d-wACpwwNq䞜{z޽WwAC,nfg;1 $9ll,ll44 'bd- d$h"2vzSmvv^66 )c@`:"HٻC@N/i@o`};@JN@ۗ6u;SB Y:9 :A,D\AN5#40@Wg,4 K_ru;s'Wc"/`3 .P2V Y @?MMl d(8904q{7v1Y1@Fs4YA6G)K$lm`'G?A/cwgev`Ͽ9lfGf`3P^oo :npdCҁ= 7h8AޞV7BfgL&@ w1/@{?>2x*!%W$$̜\fnv? QTAWUlnؗ)`ߟ`w,e9f(7oA266ƶ  ^8%-6UmW+d` rTAN/KfUA\3;^6r80Oeq;4 C l/DxOXYvN/.v?^*/`Xe~#F\V߈F/:%?jbA/F/9MASg[s#Cref/9// l/Ro/wa//w_@ oz /8@@࿓ ˊ:YBӾP_/Sw|7x /[zB _D4u@^NⅥ} h8gg*hUq[#Nʼ;&"rM.޶2+NJºoxг o= n}N"=^c%^R=; :=`b1`MtuxHw"pUې̹T6 v]{fDI45mI9R(L$Yd$QTI鹭( vQ2]oCq4˞ū+s2>!!D5Äl:Nl Hal*F?_jW~|yfP&Rf.lx6MbЋ$PT?ٳ7 [6'f(@ӊ08]NaPX W+||څ}rv?uhA2K36˾yO![Yד` CgPw$O.g8' т̺az#hH\s. \ "13Ydng=3X#~R0/ }mGZM [G[ N?]2FFiNҤH&,:iZԉwQJ(ŊI e >&VBWZ&[٥W h݉hQE62gzC5?=V-LLCX\oȉ%peӡEà5؂nm< [yBtcj4xhEb/O5(^+bD?ߡT_Ƹa4ϩb\(bPxG\,ЧQ )K:m&$Q:ш,9N,)2æƼXFVsȖ[&7<7#Z\H.!ˆRX:y I1+U)`˿G-d׎X-T;(ǚP̕$GranWo (J@d ,NE1Ů}:a:%m%dO(f-+6vHĭP47/yR%"hk\ѩ$ʱc'S*{+>0AHPyjd1 ؟ΙŃP(12D]xFI<ǂ _]"ѥК Bʃ ⎘SNp{yJzr.I{ 6o|)x ^%'$`2owILt^!bX3HH'o2]%`Lu_8MgKhF٩x׵ÿK^/ecKoB]su>\fm [SUQiF($Dzɯ@|VV9"\r3BV~NLج]gҠc~Elɷ$ j9&AJdQn¿_y`1ZJ0;Jv˝ezܟ:6l>Q .(4?_\^$02). .ހ0lƂ4$ ل gQE;VShƥ dF1&}R4lǒVD}𠓩Ql[Ft_ow{q~PvtTjia}tV~~÷\d߾ϫfj414]ӊfpz3 t PWNpH@|O{)nN1)g\ 5wb12ۼ|k*W͆ф_NYdݔ}f:G37 SbL MqW`,OC6U]o#I-PTƮL+JԔcS)A7|=o!' `B)`cŽUzm\|OTtʩ++}|l^"p#O QH*PS^])p閽`M8kףW3%\@ (ܥl/̅h`"hMŬ(yÊWT5bc C`{n0bh(A;VZ&O}Ur9e0hpRe߫>ֱ/r Gς l64[N)=ю}[h &tawOXa:I }UԜ"}(PVߪXi%-U968}oAO̡\A<&!b9QqSכ•ij= ~^.h5 "~5>|FaFΥWxVw4}%PBx }Ax'iHq'G y#N5ֆ s[x̒r].hu^#w_4feUydm;N5g9Cz>qez :<9A9B 'RBT[ՎߒLqNQh5 tu]xqM/VM2ȤbHXl 8W>HRM֙AnQb"2euA7q)ž0fFE58kwNzxeh4lk+mW3|C1ݯZ2JTuavbUX Lf/B+He _9}gdF^,w1WQ35Gp]a1jTQ//ʑJlᣭK$ N`0X!Vlq`.׾)by=o'nf|3}5gK%= {Qn)lo\D/6 3:}hzC[Ear88ɥd?OBIT2/Fr ȉ &vXMG66Rr3K[<$m'yB`;',p2l,($t v;RQnN-fRIs K#?_6u8V)SȘHj[-?ӎI'svyH혯:%+8uo10PۍwfnBʡ[ŭ=(47k-QfD_}E$RW|- OKՙyej~F&w3ֳ,ҷW;2rVN Jci;{o1:R`jG< _,P.`0 PhqF Ҩ%XxEW˔؄AϤ,ۂQ\|K\orxheUdPYOtn2zw44.vq2'd _ epBF-3rsb7i^Д\Fа_ھ t承J5ŢG{?YW \dÈ_dfý߲Y>72 JQ)W%EP>qº9R*J%ڟ_} )OZVVP4ܵʲ;*M9Yh}fhP46obi =$!<78,  IT*U5hwFTq\ k${q]Zy='RE(3 ͷ_K$QztoUԵZŦpSԩHh8K 56;rE׿hTI;Ф8yU[~?d9$M$(1Q])z ~K%5a_| e8I՝5@m aa6iŢ9cc*77Lin\v#ONTeq}v(U* eE%%ײ#n@-j)DNFw̭͖cmY~:|YnftCAsSk)}$^*7 K<ʺ4 5WEzLņă=c t0]3pԋ"Ky!Ľh/I/JiG.B0 <;u&LxL'>H9}ZHws l& #Yz8^,LM.XEUss _ilڐRfqˑhM芘\xS˼$걫 =È4-W`ߵiG䟹r곱_ ;l.Nu\{3%yXb-N|h%-1ĄHU}tId n^0˫"=O'\wX 嬘3pqק~ySɬT ps.h -9"2ӈ 2Mvz*'֜+)*j4m(Wu}Lt톇7;WF K"95`zS ?{72:]nP} 14;^X(|:Eވ;xߝ~Yh1ЃeiT߈UnۜVć!Ilnl[knKH'vDJ:onTS秉se'N_;=8ngmu>9(\sr~ckl8SAp3́q%6lvL`AetiR^c vL'jpEkl_H]&m듗ޒ<"Q'86ˎ_LUiyGe亘73in#gY"V¾*b' U&S3h.d92mә}Ժ UK0 eY8c856cȨܭm3 ԜP5c3J/z2C+ԽыOޢ'")ߤxz=NSV/ܵpM"+kh f+M^gn-]1Aux)[=dG)j`[^nEY(Yf2Ms.-1jrIAm㛨A|\d$ 3ụBevAS+5c' 'RT*Gwjj_6b}6nC>}}5`cq~g^5e7ў69j8TghCGc2hEq=} ;#M;ahpv ']BbTM^pTw{^J]tAIѭ+"zPH7]\_ Ry = tP2|RtSH_Ƕ$:Q~Bx|Ov$FiBK ww_1>wdB  N`sӖ#ˮ~y9XRE/\('w& J*qz0?nOt(L'ј ("*[ףa TSN jwH] |熇h ɑ"D,8H?F S?%?@c& Q{F"rqHa ɯ}vlZ_ʛG-(ʫ=i!~ח'iM1% X dErdRjNC퉮jĖ*5A:,Ǿ L⢺nwfIS$nr0)f5_-g,Z5_Y/y&ktxv,C`nPa1OxpTyE~u¾Gn4Y}n,qRŊ@N_+!YD.:T`nUѧ#I|X_yU_"StZY];Dk _`Csw7oۮ|g1`kDSU˩CLCw;Iuq-/fU&m}V0oEtߨR*(.*$c}fbD|s2^?CRX wD8ra *{K_:^? (u8XZa,l;c>۬# ' S%3>ʁ9e|]߸pqVz'* 697vhUQ0Q؄^&z1Ů,Hɪ0dCmIPAսmp՜T&bpoU ^ťw˻AeEY#B46ɝ+׌ Z)Ҭ[$Z)gH\_X*XBۏfR*`-~ ͊.gZsic4 5HRQ)i|{A'2hB5vQN)I:5!VM[쫃b6"GhYU#kG6']@R:B[ Pn=t SZع8K&~go lʜ=K}->+_ggY> v>IL}+wD=+mܞkSW:6Bd3 F:U g z8HFPa$^X)U[ŇMw81"ݩ 𐪞ǽ Bi䨇Soj 2+fޝЮ#هKgRݾEq;gj=1+߸[3ސfbh=V3kxQ*\.ohj2r1~!\᱉Q\uGxc=7fSñAߠ[z|Hn/%30** ôs&8d縜NX>gѨ=ik7S!BI=A xv*Y`f?ؖ+:~6$2)x/I3öOjn+ NA9vfcؒ"cWKis}z}od Kt;-԰᯾@l3%> x;I×bfξtv+ X F$} 2Z30:1:3G TB!EKh ϲ";.(?%uohO%@'|cb6+P4Gx endstream endobj 8600 0 obj << /Length1 1594 /Length2 8650 /Length3 0 /Length 9700 /Filter /FlateDecode >> stream xڍP. !8e4Cpw`-Ipw 4Gv_^M3_}|} jr%U&3 PvbbcfɫqXY9YYّ@N6@G/&n“667++?D@dgB@Gdj1Кxy@`%DSc*trNNv|,,ƶ A:F+t:(f rӮ 1wr5v^ 6 S %ltP($0 tENllj 3s ()0&8B^]A6&/?*7H(_=GS##w,ӼLYl&'rݝϛC\swfv,`3PF/ʋ  n,ӫp6ti4_=]'gf S' F'h'~|@E{lߟ q*I1>QQ } ~ ,JƠ`'TlY˔S_On;E@?cd5}?B;M[n?-/‹f^/yR5< l^'=[=F$ hr2S,/  T8~*&6Vl?\#%0vp0vGf};''ènh 8^C(7E `Qx_#-s˿ /ÿ^Y Xl_Nؽb%_8,/N@Irg!Zn@Sy /"DL{3{itLKht6Ez0Vw$hɞ<B[[ UZ'q&EjIԄy={i[4CwR;)`ߺI)l)Z=JϿx:${މ V3l<Q4GOM9 5v.*|+)OYϒOM#OGȋ{~Vď7#h܀!#nzH!F~ ֖rhU&$ a2йs>*v7GļqHA)ftvS],iQ S/v4#,\݁-U(񼭕+=mmԼÄyW[ S:RIgQj_Ro-yPq<+XDx%~ ݥO-k "pܑfhY=nlT26{`fH#ipT=_ߨp/KWyC`n(z 5X?.IM\Zs/2^R=hMX( e<&AÍЫN%/uHcJn9_HlELh nW eqyz9Y h 4uwޗut|vv=U fduZ?˧pdt&-^qci2AE,'gx 8 )ʰ 1Z`f|iM1pVq%Z_Y7Fgrz1k>-YqxvÒsJF qK_D`+1D ў^ BOȧ6 X@d?.!IˋdsGEwZ$l,n {ZbM'Zr;]ik0,ѯ 򮜆SEIdw`+ rqo}82̄.շK8?h"{NmVp~Ūug㧲bk2r]᪺26K$TFb2WPqڤZiLLe݆}{W4~5%uXS@XÊ5ԧM&TXu׸3g}?o5׹/\9Էإag|G|'SL^\5 F}6aCː]^@/[ֱA,j&Onc'3l uN!"ke@$gnnɍK]VjDȏtt,]tmzJYEIgtGxH Ät;,:'W")>#lW*=MO%Rݑt 6Fwŀ9i[iX9/oDjB n:; 1/Lua.aUU/=Hc-G^w$\(p3L)ˊz{UԻ_({ݯ0f 5 6يa Hs5°?N3!7 i)ҥ{O__wD[< 9a!d]|2tT) 5"1iНsA3uU{?a5%; |ӸlLTi'%a$|kml_H5ʌ']<$uP q iwĝ2 zj6Bа8OЛz &$[':řrCo!Ի:c:>8҇ /AiCc$kߔn`%&VU6_ ͥ")"*Ur7hmNV'?;+ʶZ3!q==-Pwc96_RCW|ԛWe*56)-d}WQABs [i%H"$P՜M4K"Lw#W"Pgo>I&q+73ڰk>"+ab.?8@ T3[oU)&QG CN>yiP"@_0R^Eȩl|*Eg^? G͌uv+WuE:.١eð$ 7܂`071J_Y U/>*[cKz&(v$}qWsĬ!OCQBZqGz@ rN+,uXPK!xt22 73 z.wIK/4()F dP̱b]iVuB > ]n|HG"T,~VX ԌTuh+Ѽ (ebX؞[ }ԃMVWEϬ=D5x 0ns{f5=*kcAIH2ǐ@WuFG-qSʻM҅~\EqIeg:/j^>ۓe/m DRɷAA~1,ƬLC&Cݺ[~(=wPEz8tuMZc$r,5W^?9Fb>UԼg.|2:fL%5-[h$>6l&ꆿ|9"RsciRWPU/sF:db|Cí,boaudOH CsGWT$oHfx뻬&v2WA罹.;lgE\F;60B$>x,PΣsO,[Yr4~GMifg_)#wf0!pSm/&M'\i&y?9 EŲyq'&{V8JƎHVn꺊R웛*H_U&e\(=ҙ )50$9bp9Geviϐ8b*$p,Yzǘ c$Ĥm mK/ J,&:1KYnSCIaEX*Ȧ/Y[K釣3_.{hP3Y6kr$anFh¹ W85=r{u\Cw#(!Q+;ZkH$Ck"a3)`$am0`MIV:G}A(J ɲNd 3(s SL~5sGh*( A*๪w:H@G W&OogZpClx[JT8?\LVz(tNI u}ľ{j9ҌjJfG,$@>ȀMǁGLJ96 '"ZQ?*&$Mrx 2j)߰= 3K-஧.yn/b׊ubK#'؁vqR;-?6zx,ۣeGn&!+s]. zE`o+y}mrU Qab h>v%j&` op[r$굍m#g)V'.[7Wm*쭎w$I=0VS]2vU~3AڡFQ)Qȫv:RZ>gve|e꜋wZ]A/.ļ8ʞb.MD=[kOOw<2>? %d[p?︛~=͔Ȝ;}Pn۽XЪ8!nE^)i{-yj'ـjp Ϋ[`Rxf;mCk-^g{mJ&1LyqLyw'ʲ(>b[at3p]/6PMnPn~lzEcYsbQ[\eku_ǹa{1Ј( Dhtz|Sy@#'AvȄ$(dc<ʌEdAFCLϮqУ %yY|z8]~?pˬe@#wswu'ot2 iEp0ISpGw .&)5f f EBH;rkybQk\xVCs F*嘰Y#2Im}j QLr_'%E+y'(~h,} Pw&A14_50z%5d:9l&( f#_Pq<24\¸Z& mvۭG0E ƺW#\RlB9,: ]o  ?+(޵ַd.4[ĴXQV&MLK:m8-N1 q>"82wVXF+b36 6Ks;O-x%j'2?_KLѶayk+LHR߄:@i|B("6 "yڗN/TBdgV{U>}%iӍxe)}*ଷ4P6j(U, u68{0g f6mȩJ.Q2R3*6ڶ{[eDyg4~>^͆ռ4d=Spjz݊Ҙ8yT4o-YyH WwġFJ\ Fk kIJ,ٽ1`;, ln~_eq#h7ˀLeo*Tj]ʿ fjq5Ôa={_%]-Ztheq`?Ja9t ש)<>ର`ӽK[ }ݾCzgar~7"7.nCnz,+nN2dRMʩ'gi-QcYXH`KRK% ZeWIjC]h(/ߨi F()=ؽW%v},_3,81Ǐ+gP*9HomI=No$:Rv3W~-w*5L[ƺv8]?P endstream endobj 8602 0 obj << /Length1 1357 /Length2 5945 /Length3 0 /Length 6875 /Filter /FlateDecode >> stream xڍWTlS@$T1:6QBc66CB@B 4P@N}w9=Ͽ{LHD"B`a,@T @@9#ZP^p$BP0'SqfH@ %eR @!% P]$ETCz`Qpg4.˿^(,##%Cv2B!n3$CcW{ #QΊ|_8` |`_ !ߍ S.p?b3p789x#a(.7LG`C1c k40 Bp8`#M}a4- Bܼ8q.T1@p՝@{ {~u(+ nG5; U:⦎VWG8:jCeQ-s HJZ0P_ͱJ/1@ ,P{A|`4QG8 p9GljaNͣ <0[Ho1UWUH _H`1(_UA8!2M_}޿g,C$0I/]7t?vsZ; Wo4HijCW#?:h*g h["3Fz=(!0:G *4L"KTBA X ܊q7 ?GCG7"$pB(~S\ {~ )Bh{0 A)f&Pmǵ*7|ƀVgPOIjQU^_{4˟gɦ#/)6UE~S\y%32ԕC-Mm\HwV ]쇨eI=ʳQxq`C Z= kyCl[ bK'~^\L}W]K׽>x!c'T߲1j]n,/3!N\bv{){ xޜ"FTQ Mr}ŁŕA EjRi۾b#ȴ-|Z8w6rS"gɱ/$u=٬J]*R쏦YX\ژ}ВJTEO^Nkn'UH~Y?]-V+H?<5+*ɐEɖ I+j"y X~%]y6Amo^^gHxF`^UH!5}R@AUxvV#kR%+HDᆩ(L۾ZHې_X^=Qy5\gBSV{x:zQU+^4Fa VV1a%?OiMv\u3@`%J;x\ZNu^W? KJTwBZ\Π]=s B)E;K3VR&,7S*EW׭<_!\ȥ'{12{{Nq~U;{/ˈ هI1u}.T. ]5͔H9vz/[h"/I:]H";mvX=L^hf\ .\p:V+zmLR1N9Ujp;[),x,w5!stjh\󺘹|mktI:5J;o^"-cJ5yZmߨn>$IOxLRz\G"nr$4B0$o5 !,*h2U\;"p:v17H`duu%K`Pv "sޛ] 6|g @"tQ:糙X  CgL` *n1L)& Iv%[w"֮`vrxL=1#J}fFG3oK4ǠkZyw}|mؘHhcwNE=Ԗq9aA}e#l-}DH1t{fE1SZN6_f9} dzD.HGKͰseQˢ"6f|.˨Kҕ*cWwؗV:y {) jZ\ʎ3]uMA}*`0X=xْ3k۫=ݲ+A_{:29^8l\3fffrzAW]&6*$ V>g]p_tO/*uu0V~jeʷVן!+%e NλpfSI#;TTp6p#uRaގ NbUjx @O?eHiƶܤWM<)(ِJ!|rї#U\}Bfuy#i!X}yv7ъntHtu:_Z__'_ȖfoF%o`I'sS}wJ0&[ 6m--5^?XLJiar@^ R-4,2f;Ӿ;@ʩ8,}Uڒux\n T:>Oms< m.wlrlH)biK k U{^t{jec%QAu+ f0Dտ,&K 0XR滏L߱l,8ڜbpVgWrS8T m I35UX6?*'QPByΔ;[E:W1(Tԗr]^@/ݰ6qV'tk'LYY>+ۓ$ ԕK]vccg J9 Ɋeh&W'4To㍩a}Eeq7P: 3,9Z-RUr&x348uxTk\+ife#^6Y0FVr%" ;aýqם"15KR*o#m1T(d Rtv~ȉPu1WC)͊7LLdFh.b:mwuj$".㒉ğvM(GeŔggcIޡ6o^9|H)M GCS+Ff*dUvV@Ny셼2GKEѮwl '_|"2')*W6XNWÚd1nzn CXK~)vWܸTlOH9{ g'/ۏ)ƅXӍp iNh wWxž{Ծ$bv[3zۤSݟTxE?,z&?hepD촎2ҋu%'}L> T'T98c7SQ`+ħn0vy}7'4!,} S4%=IũS} _j@{p㐋fvkpCِȠ8o[/ Ր=N0Y9;q=MJ$|.{١>5^}l G7c.ۓ}A Cjb6a9}Ssi* KToOŎJp*Vː{kG>(1[cgws7#ԷK/\XbXއZ oj֎ r6(TTT!+s\rzv<pZiRrг|P<:ewm [/`#(=/Ŗo=4cx۞z :dLdNqNqp85zSM!R-Ya\6Ƚ)KM7fA8p(3zgKk޹d̷g5">& rlZ @SZn۲=Mo/Vzcps s{wdL,g.֤G6x~-ܹ&zXav|ՒQ+{C9HD*a{VDMA#CO"-%&X6oLWWPGJf3*Tk@JpN5ϲt;_T,'J5T>|ޛԞn矇 ~#S~ۀv-ѼnۛwD6a:oU So¶D4Ts&}B+<%و1x@Pl@gF!tⶳEk5Q_4+)>#9SLyGXf$q¯ګ,h06#u5JXCf4Dtf[\G&Nsw`7;Mʫ33S!V #7P[u</-LҞuU\Aji_!6td_p:aܞmxV59/yi cLVUMx]ndk1&7A {3aOy`@`7EB\Qܓ9|5jړU)X"W4Ͱ/C9 endstream endobj 8604 0 obj << /Length1 1537 /Length2 7766 /Length3 0 /Length 8799 /Filter /FlateDecode >> stream xڍTk6NHH H!H Ct - %) ! (H}<}kͽff疵ق`P7O ' af6# Pf# <d@b 6& P8PD'C\`h`P<vtB ofpqȺ`;(@rEhg `{@z{{ظzR\o0 @l\A a8=ao8 `; Ȼm7/c o߁?6vv0W7/pC@m%  `mh!mlJd}Wa!na7'A; ,U:b% v҂! Kps>!>;L?.B'G[ڸ!|D CN>5 {֪"l3 uDdF9EpCA:0/r\K?*rhJEt lp_#%!?9 ? @a Y^ B^IHF <@>A? @y!?2D xH 9!oؿwx@j'\Ȋ?{,$~xsK0͝`oZ:˜o3GɈ 9!=!y3qO‰x Pox5ZiEDeJI~N2:/JтY:|EئK doGK'|% 8%/:j\z R9'+j>?DZl=_!"uVSiu^nh D4puz  WX`\9 *o H<eI~yAc`,A*͇…4:niZvUcj?08LXdΩ'##/R*QZ $DYmO1IL{ҺRm7-LU'g`j"K޵0%vxmc |:MeZ' }Ky'c.0Dxn Uv"۳!%?ƨS  w_Ȝ>d!'X'u '_wi]f z rAiSgWwJ#Y~ș$Fk東= tÊPu-ͽQkVuEG~~ Lb˫U@ Sq/]ukg[5ctJ' @DŽ-L7F(M?K մMʥIcIL;hC.րB/EP7Z(LsQh.MqF(tOJ 7 g>(l*#5"[ VuUxD2BbAݶcuj JzAD&hᡜzry+ SQxYE|"%tДlswˋ'!>({=vC. L͘zd`/Dlj<=hj4ayI [*¿БҺS#G:/a"1S*JC+ W#4D)lja#S٩{s6\ĖNAķeb\ܶ-bϒ,|]~,lm.yKm{k pݜ&_싍Gً/ Y'xz S78S2s7Ht^ Yfov4rq`l{ i۳zDidv|bz{^s 7>o{|dUoۊ.YG63)О̽Y'ն6N9}%o8+NUHg#|V@V 8w$>^ڣcu7F4!9U9ݫ9z39"|T2IrǙ4qL4f+&\*$}KRxnZV?,n , vM2P2}y! Yɵ$܉x=vn2*N1l.nigOB Ĩ.rXwÖ۳$huΔ Fm۠sx׬)Ȩd:4)>"+eHiQbt\#*Y~~VD1w'a72ԥrUO|]/ǸFg:D(]ͣ٘!A؝;)\6/ii8u3^U$F";ي^Fl ,/ \gμٔgtÖsz)XibmSkjS:fqD8X/3ȷ/-ۀ ܼ",_'bg.0?tmH鮑ܢ KќiD7,_gDȗГ~~Ojq/PiU[g;=_xmlۯfRu=}>2bMܩFi"ٚ˕{@Dy)9[M.e5 SA>эvsPη gy[ʁ7aD˝a;lk-uXI#nND; q Q\uujafϪZDV>Љu_а^N\?M_OA91 &wH!wmϕT T6Th#_\dzew}{#2_:5ԪGi'2Ӷ':j,u)`܂.Th{}GLq0 _7?phmMPҷ-ʎ*-j NS`}F9M;!mlQ# L=ȣISb̂]kYò!^ʮj" J:ϊ_ŤfnDT"e_QΪ?OV%H͌hr\A:8J޵wI0f,(NihJ(r ڕwPD`HRK8Cn~s{msd򁡬Hnɑڨ)sA,TMp6S>5l-#ZrK.登Ȟ.PņWf*ݧx1(^ H/$guba̓x$&ep&u5-겹;`'@0\ W%权YȈlқqI}R\oǓMJD w8SfƤۼZ RXVoe@2ZvrwfYhw<p];P[!`C\yWmY_іvi-3iL27csPl75 _?iF1VpdBB0iڜvkJ63aPls@ٌD * 5UV%E$0ڏt\yAyg`-FQV#%ѧ ' &a 6,򫔡5}Ş#1ٞm m'-7Ο")JY9@zN;܄ <$05a*j'.|~џ(cqɯF=>_<68:N,Cme1aƟѾpH??xKc%REÉ ovD͜uz_AF:Fڍ⋀loyf UGr%OIbՍIڮhi# JxN%WG%I֐v7=a,^X?zr/r  4`'.{<ѽSZ4 ,2֨Db‘Wk#&(^7egsqxgGtwe~dlZl=GlĘʧ_IǾre$c"Qhvw\"BTO7g M.2Vȁa2aց%PNޖ3Y7lרUi@HàZVXE( |if**ï$:Q4%Θ/GW<4s9{6rкO#l2bqŨD#z@/H+cSR.8F RJz.*^n"Xv)SU-5ɟ[R$qJ=g9]h TlSBbq3 qmT`GjhS7 XږCB%]#)>2h3If(m1hm_sw?dpX{n伉>?r|^r =;0fe+ %v.4}RTXߴKG/I?oZK8ņ: ࢗjr0mSfaB)P/R$˶aTڐ^"UUO. g>Yj1?|8$mZ*4{E|O7,Q’?A;kJVBumzQ1 \л0lfZ tJ7Os6* q?ؔcAa&yYeV_վ')$m>\.rU6f_pXIњzvƽ"ܾ[o܂U;Z'7O8|a|!${ߩ$Gsb$֙s9s{^}ZmNhgrZmKKա+i6 "f,!"G[ Sҏ⾢ўg3H4[cJI*YAV{#d-ߏw=? )Wu@>kh]gnV1rCfBSI;|åW3zMdX8\}ӅeNc0ο bkBHD=IZ:}4,W_ MUCD6鹄_YqBz>4Z&U%^4WG5xqz%m) ]:3cX ɟln;myz]@/@h3>,ci.o[oXn\_ʰ9Yq5x 5MIg\Cr땍~,2Y@I% :ֹ-{"wZz7?UɌMdp8i҈<+U.\ ~6ι;;/*X4h\c@Udp7EXj2!]苦d͝//AN"6oQ_Eeڊ~  jEFҋ*c=!K" tgv<Zi}M7fG_,"pyzgcjm{0,JON '6eڻ@ZkaQN:̈́]h=]LѦeMyVm[ SR7-h8@E!9|?rtCQ+5458A}A}/YI4NiDMfhWR1V%"{:]cͳҌ'u Pdͱ#>A`A> X؜xOp84s(?2$vp=0>+}ͽ!zO# `)#q*w2\PfM zHI>aВK7LWKIJ{'GM;D5ww4?UiOL+]q|]j;LO-<,IsoǢmk-˷+elͲe>O1EzS|c ߡkm72?G/+N~gf-#i_3|oǛq=Ȧ]y+P{.]Xtl+h|Ӂ,)u[O?!qO3-U/ZťA6ē;NC&{-Q-D{>]ߞ|FN+;dگxnRQeo܄Ӫ5|0-~=l8 ]86 [gb+*$35tؕ =H`zc_XY(UD7GhJ=fP2Ϲ-|_{xg =?}LHr{GE[10`IԷIYã qr |[ثd-|-”{lBOObm{YiPzRtJxeWC2k&"e6MkE+^d!P?`1]24iY_@(DPtm&7qüdm&ٓEK%Zy*F>(?$]߭ 8?u*(`UxD;xkG<<Q_zx@\T3VcYd i`eழ=-~8c2ݺ!k~YC˃ R!it8l>7Olzt,p03v7u|;0Jv7?jwX= i!=`VgVX6k,Axe6w)Ȼ=T'0\+yV47 .,Mr~0POk5=<@L^1lp%0%/a`n;?IjOxouzs#4Ƒ v ZAQ{6ɭ+F1Wg+l46 }jqeSΏUCiHd~'Jnϵm@ZEaӤjI)W6bg!7drfgd/)~tzJ+Q7r"I8r(!-}floD|@i7<أs)"be+Q ~xtљq(QϏ݉-S͸;{jX&dq'6+ׄՊ e"ڇC  bkmX@,35=EeP˝/H*:m.y@]36Qތisghh;Y7F9B/ܵ7nFA('!S? Eo3⭃,לV^.vBVCmȴwCF_ϥ]~%!G;Ӟeګ6aHaygXLWs'6Cf'JȧiΚ/󅇒ㄪՉvu \ 6%o|⇍|ܼg <앳P}IWe1KRF@@})UEGUty@,ό>9&#3>^p#=BI+uldPIcܩKe/CT6(<^dӥOpҷDZ AV3|2(V*x@Ҷs!% $tTo%^(|#rۺͨWu.oQ@50.%BG:2`R}Q; wJu~EZ!_s+NkݖO ݔ fc=R16w* endstream endobj 8606 0 obj << /Length1 1892 /Length2 13073 /Length3 0 /Length 14253 /Filter /FlateDecode >> stream xڍPK-3hpwn n!Cn%{p\|9UT=k[ݽvS)1;]YX v&6**u-/+&`/3&a`uXXXXl,,0q@*qG/g.ИXyyLAf&W+f&53JX:13{xx0ع098[ 2<@VU h]ƘV j&@dwyOp7:hL)w@&99{- [ @IJӕ`boG{ =O&)Q{wb rtuar!eY\h? 3ԽV{{ {s?Z0wsdְ9e$x7!c8YXXy@'̊^?8:8,[,>.&@ߎFs+h Gh~yg'@]x?~Yk?/Y[LRTFφs08Y,\WQ6͂\{ _dO}4-k):+G,,fg?_H؁l] `Cf2&3 joiCH< W3]\@<(FV{*3G]C[Jڛ91]l\gg/+~G14z`3{ =?3 `'0+px#MA<f{{Ggf l}ǖխًy9ZOD@\fwNN__?{:?@ [,c`}o_˿{?j %ov7/ި{@l^}O:Ufޚ@33PЎ:QBƽIY=LZFeN'4ڜ ;Ѵ^I[>'mMRTڟ}_T~ N}9m 'bTd%KUƃ\ѳqxž~-K cF~PUi<9+#1ƅ',Fl=i{&[Z:K7>%.1-4a,OYg@1i>2C*#![v-H5ƾ}|;nA  nJ}y+3vmQ k= Zǝfu L`,9/cbM0ǯ/gI2r8[Z/eNlƵ8J-jfh)ɑ{ -EM; KMp<:E A~3=U)YiȡGM{J" `h屢༩ e_R+-hq}-/S&DR<&6nXMqWDv-rEgxCLލ؊Oi<=/Q0ʯv|PQFJfK1 >[lyC161]1%eg[\(UV A62dǿhb\Mֵ'/$ݑF''q>a-`n'e@iPkIRKeh0kA!"T;'2g]BBtl51 pb!!laSπ#EBtd /|3Pks$\IxP*;u2zZi-}Evd'g!דq(C=+8meA؊n-¹*gWjGNn 4a{5hka&p W,57>?@ ~o(:#xQc7!?xWwG `ÇXzl hk[J.0uܔ\?bA53~ϭ̖Ǵ0k9;_/nwEbWMfDRi:sȩJ咑Jyg|($:*cQ]3Kz%CSN>2mEQlV"g6G`! 9R`Jķ|KHw^:yz}eȕ݄4lfJ~oT|>]t;;.\C64 N$ .aeT5?ѻJU~ J`=xĔagzf;+dofpgE"A3mn;@ 7#PKh5C/[(*27&'VMr5r]Ks&IHFD 0P1 ebQJs QG~Nw5=dDzW>;X15ו%bkV$FvOiIW .0}h4[~n07u-МkGzjCRKu%؍q` ^Voj͖8GA44:L̸]11ܢ~-GmHu^m?giv8ȕ4|G e韘457h37s~UyW7egfkˎXFѺja,ۺ#[0JMMiZ >d [_Iozb=B<Ml۷S&a~CP24#B{<\.pԸ)^6/Yݎ҂YxstuXE-4Sǭ4^nv@2*GO4:LdB5ASKYRGQ@/|7 ~ d/7!67ŀCgIcy4B(HJoߌ1D3b=MG~I"de+Ư}ip:debf>hRj1Ȣh>x)1o@CujdT[HYJ,iM$b n wq)pG}k珚2PV!iF!x]7*Q.}B^'۾U]bIZǘ{w-q${gO565R-׊;$QPx+n2g)T⋪ Æ=~$ݼvFӡےEc ~ \džouPIe" %$l]g9療=G x:4iLnR '{(66D‘,Fjk]R&,H^2u2p΍ys2V@ ;= - KL>eud }i!o"(s|PãƘs0:80"xA}VLjֈKrQ*U&څqOHyvڙ_ 멷HXȟ nfEiYG^ފ)!I&:d5{p|]Hk\Ż059BsQ gK\f4c$ݍ0*vG~vVMG:A-Λk9*yЗ'x0_Iz٬ǎa∷ܺqa癹 ~M$i}W xr]IإD1;#7ijH$S2ri yiN! ,g?,obj,8kG(¿ղpÎ88K^7: c|yUfYQ#];GA,4dqvq+x5OɁqO7`H^^O꬏x=d7a/oj L/tMte5J| MȥM;`2; XC:`4&or$`Ӆq"kߕrv Jx]*^DB$t2fdL/zm"?J K )cHs玟UrlDB U-Уi,ER>xF) 3̒-!ʒ% 35@ B*iTezeW 1?!vₗMńZ89,AH{@jٗB@s&Fn {V6(N3pȏ(HNZV|Su Uky݃vZfo稍W|T-g8͢W^MZ6 ]K߫hwF2m؈gЇ) /۷[Hi@e gq~=8Q:w!xKO{ߵ `~x !0tduE'\ar"r!)"YaWfX?hlHԥ+#\Ltiǽ@14lËm:KW5;6zѿ8Q#8.u9ΔY?cJXFsGLY'"kgYXrϤ;]THE(į;[m4 0 u:U*,vX Щw|fBj֫y r=r-/KVC$)MAbbbS-+m"kq]ޡk1VjSbr̈wx.'^ozQsl+)Cn*H_OR<䲅aG3T;o|]ED4zSF ;jnL>,QA<;1U_jAӁeZd×R $UF~x=ATȭ$318DBGGVduJ{q(a:s`*X݇،W#fs?DLV%*f^m`ϡpG= O[A礿҂-S Nm-}+dA j,~yF~ݳuM} нh:$? 8$nMEaէߗ!au9_A .4}Tf:”9OS;/lJ@dF dRO2QFW3Fʈkfmj~.Qo\ߖ9[*]MENr^|M@ok6~< Y0u?<ϥ=B ~eZ:yU-|24|/qDK C]~!X5/W.~-,f!˷C9E}pD]= >8@ ݏ ZwܰSHt"u{i}'ZbZZ sYIĎ": tSDقձESْ WA܅bqE駮 &DwO{7YH|*K6F܃x5"qOMbf3C(Rk3{|Lv,u7ƾd"e#G Ĉ`ȑcJhs7P_4%5P9.;cxoz-ˡqZ$Ob hmCM`\I{~! =j`,&''Ѥ>/-8ǟxcӃe.G`Etu;6T^)W-g#E#Zm_d2lX)QsD2 ,8e0(vcJ;LM5* 7ѐP')=jdv' |7u%d':Q+^_(ׯӾ"ٱ&#+ϡw1%-ڃT5l+HHtr)ZIUsIRMIX $wZ I8X u.?#~*U 3UHxN;_* ?ku5#DgۉP!C6rӰn\>͛,q$%ކM`V㆘ītG7Hm>STmk~Q Mucn WZ%rDZ. =zdC.hrM4cK?'$܆G/!!Z>)Q k,c$SB>A!#`a|"(඀D- #BpmND"Mv/Ly/圝B|EU kyTD=‚aHPm)ׅw᧘sG׆8q년q;DlN_X X%VX} 5[ױe]| uOZk7fd$+z~+fZn2&Fy ZhjB fc'ԡ>a(Ų94L_X|p_rټ,T0UXe(7Aq孇dڹߘ8U.+1O,!$/6o{yN wxH%,#V{@v:_#CNz O "1R&~ӗ14BNeLD@FAż2~j7Y+umux]A{Ő#ZBSMcmPVt,27p*V|*&J| ']7 wnki Z_ N2&,KQkI?. 7 ;[V,FbJ P0 =G/G}:WĘ|=KY9;_ANֈ 6.%DVbգQ) ed6qӜ{EVF 9w{7ov-rS }9nD a#)άD-N5=c %% ip?xHz2s4s*@oH)cVa'PQ^Iy!~ S7Hi< =ReYOx[#+ I\hUմAEyae?igTiH]p`*1@WDżV![j jI(B~RH*)Eͦrdhu#}l.U1G 운60l_M=3]gz#XZ$&C_`j0c.[a')˽vFڬ [KFp"70?_#zg!_8BhASQ_[mzA>bX~j^38%6F>aWJ/jη6Hb0MT4u6{-63FŔ$/=6pq'O7'ųo>e`N< S{t bD :Q%r?.jf쎌% U$vxZmNݞ>tb 5fQbp]j[h/WVUFޝ ]k1(~bWN{Mvwc2PZēklY䢝GL ':F ;ůZCج,*3dШ'RN,fw^:a~l4Ŏ'}cKv޲ӓ @8j7,7Ac*UZB*Ki|T~+'E_U#U#b ch.߯ǡF9Mc/WET, $ywDZ ZiR8:x_NY7k}枏֍wahkTW#+!BI%Dww=9H?YU}%KO*t,5^4{ aFC9u_a9,{X8D*RT*TMc0Z͜Wp~+Opf^A)_wPQQt_þENa[H++2v0TL,}pxjC F7Od)8' mZ +ّ5NXjuD$x?Eyv,~e sDḇ{0Vʛ@k: Z v6cËВG~[؅f\XI$ jPy/gWcM7Чk{/ë(1Q&R;2kQ!L\?6nE9/chy`42tfQ{"j>2_ z#^1^W3D̆{Kp0щ+ 6V)$2MPׄ<|E,Ɋ-ymy^qJ@WVϨ2Dp!Dg+:"4vls|sءN v6_N-ꈢϮYBW%vRc%pG.䭹 yz3Ů'~~BFYUc&tg j7!Għb.7uASOX=('a _8&Җ`gtQK_6*o3{'/1jC.= % =~k;~ w2o[-SAJA[ Un>R^L>,bq#lW9U۶Unwԛc  G62\6M m)NlM~ևg}U[}Cojj26 QeڇZ"jѧ)WzNz_(yR30 }{m,VvK)[{ė,Yԁ?ʿ~*Sk\qQobo,Ol*Bl⧶ yfU3Ď)Q'_]3~;pb3K5YOdd$r+CY4/8nJᱨ I喓F5rL8#::jք(BE2rhT1Qm$ s+"]Z%.B)_ g$P;K,UcdPzɖTN5b"CMP+Ty?@6*hjhWjM32,8K;î P0i%j&zU}+H(985:v6'0Lpbq |a0 ?,ǔ7 gn|s؃;`W@f¤zJkޕrD ^qztKR;9+^Ÿz3QeH'EH*Kl`%{M…(a s?3 Ãz!b=}nW5\ ~](_DwdӠ^HPrz<@#0ı&Z!fE>_PGxG,^*@2.q\[<{GܬgbbU󰦈ECg(#/G/U#xq+V;((%jOMzV3r(@'m+ 6K!0Ի=$>Aֹzqj[̄T}Tb\H5Y2(_{r0԰߱)4 ̅˯[z$UǾ5ZY3n ֙];Ia?!B!q]ć)Q>vBXÏAgre̘t*^4Hj]&T|Ma*tFT=}p4#smu62\ɫc3Ku7DWѕ":EMBDXmqAVd{Ě< ks.[f^N@scnPwSin͵ m;La}x?Q endstream endobj 8608 0 obj << /Length1 2347 /Length2 19254 /Length3 0 /Length 20625 /Filter /FlateDecode >> stream xڌP dp upn![pKdbާi]k^ȉl b6tLa%i&F## =##3<9%?rxrU ƚ_ aPM&FH:ZXLL܌fFFm@}'3# =@hO.lc 231uxG!5/sdfo w0ZE4Է(\-73= Ȅl` PAN@#VJ'(P1vpoK3CxP&KM=cۑ_6V֮f&c3K @NLŁomoiofofoF+u}@7:ۛYᷛ6Z XY'bݕõqv2662]-#PBΛ`cdd@CS]m)~jt43}; GFf5obAf./o`ۄX[u JJbj)J!!;;3x{_?f/[ kc?);3T,5}ڼM.@gе 0LMo/3sKO7Goefmr޶@m/U VAmM&o H[{,ͬ6f/#ѽ혡%b6o+aE m~3;@w;7pgz[J#_ `qx3 0>Wv6o߈ q N`/`0A? œIAodrEo[?S*RAo4ޘzc m,?V+?O_ [od:q[`Gn7ɿ[}k)_7ٿ[oͱ|[{g7S6y3[1ol~-?]|[A۷_*NOLoe7:/lot[?.9S_GͿ w|kӿ[:7c~s/?žyr?W#5]o_@ ~aƐ߼ڿR3(3+Re5ڶ(Ӟ0K^ؼ`n:sk:ΚGJ7Bm 8ڧ#{iG]vM=k#?i.vf>R(-3=?GdAoLo-n =#;Obf[,3Hpxd+u~ȗŎ'7"yn2V'ɐոWbM?it\b7xG41PwVE!1L%G>+4B \N#ÃO+ ~Y$FmF2C.5|z*t2Us|mAlQ|ppFYHՍ\m) ĪӪn)+'͙V2goVLw4yrfz3ߏ#,lgEr5~;ߺB(Ÿ|X X)2bΐ:+)SfS@3F3 )bߎ ŖN3qEb#:Z6aW^DISڷX߃4Hm:%NCRwc XVh&։sJݿ!O\6FsmNOn{M[-ߡ[z"n[*kbRwI޹S\"n*KR5AlYҮ~N˟«e F;|oFfխkd0F}:ޱ}*p1MyPڨR>}Ew$g>Oe!c~AqSoAq/$ЁJ@yyEtdq8T7'D+}'5ɠlN*f] |8zT4DMހ\-9mw8u }z1 °ǁG\.UQGS:?ۜ gzSlʩICRFm -eNs˥;ׇFrO^T{v)皘G{pGGs.T6g0M5e_Ui{_x בR0 /."!5"4ٱu'T۞('ܸ-XS''pY4rOJǑ$!>v߳ᆺ.DܛbQChN)Nr'윲:/^MƐ'lX}/ ү7͏ u.#h9czXjPEix{?w,~~C;u =W<1i !OoG-XZr$ A Q(+ LLfFp 0?XkQ,"2ɞTJˏOBI|04vo EJtZw-B(ftHB8R?~Yڑa'a|mV@I 1*?~YJKd8T/m?+R1"N![yx%lOdR6H.F#ar5^\ ZxT_sjaX[5Ёa1x߫LͷkN|Ta]ǝY)R)+{-uct"հK~82רvpK/7L @JXsNb6iH"9΅X`:5HވOT'ur|y,ѼzxNh9q«Zpb?R{J>`M5%RcT*s|U b?rz(GV.m޶FH5>%F: ]XFKn9oA-a?qWLTvح >,c3kw-T#=tmG. d%Te/СP8 e;1x}#knM~Q[I ˠ{pv!(hޢsl |W"&ݏwNmaborP?BN`rKqq%EA+-c- #>%{{{#D$29oWq,hLjѠ5rR}p#:)W[.lF_w@ h(++RA[2ސ٧Sn8.aaU|SLu>Ӊe*ȯQTw k Zr> {ɇ0RC?U 6V%96oeM7B8 Ydm8oӓ4trG:bS6_էqHsLw= 諳zb-5+p \>6<%Qfk,}5)XQk*!Dur*O H^b!۳2 I NB% =B{ vd>]wl  81{̱-3E>д_O;/Z=[*{3"GSyxg g9Ua[) r80Z(1&PRu4 o Ny?u!)=ν8A韦 F& N?h|s*E8u1J'UɈm^o"^@^ikdWkL\vW矨1Q?eb>>.2-ו/_ Y)Da4.mV9_c[]eV_<{gӼ~ڡǡHbIxp:$5dڏxLu04:4Ԕ,qWKp!;XqЖoʔ.4P_>wnpGִ&"U֧v"!2뱒WnxgnfTŎd@`H.N`/&MTͫjĜ]Ya]q(_idl[+p4G[^| C. xlÊ8]SG!ԻR7rp XT|r+D헕NJǓҌڡhC01jOZKc)fp5C{ 1w4quWoUraYÈZ^b#va98wo|yJw=a8Dmמnןt2[;w1T>ݕ8d6 NX[4c@ ?_:֪ڟ}Lj:D'oᰜ^>=A|~yAq>zĄ΋KѭW:=S:FLGM'>d7|H'Xaʆ>/ک9n}³/dBB>9|jroʾ=JS2Qܫ&&=guňJ~ɂf#ڤc}<3uXPTOq xEJۉ8pHZ5X,IJ N^H:.X x"<94.@ `f% Bf@37FLl(ӑ(Q?3Qk `^8eejtOxY,Kɚzo =Pr@ ,[Vނ]̏G'ߦ}MO`H#2ty.4xZ-^Œ!J.VUٻLF@N3!\':`1]j=PH^$t sڰ]>#9[̇z`EXl{~b% y=UBWį8Qs17Nτ7ak1".>2>+,Ӄo׉ZrRw`V Khag hBt,.1.׬ʽ;ܟh +}_=DRQ.&M 0J;[\6>!ׄ&W9ɏcHJhs;$.Fr#wHh{ 7Io.lؓv;tGzLmCɇ2ԙ,r3?lU pK;z0oW? -X]} kf7eͽRDl 竡.́EM; >:k^9!d韑"ͦHuT3!Xm⃖-UN0C KUKa [YM eH6qX@~r ])` ;1#gxRt} 0pV_J"džZR EaE0IiU~g 6-=h~JnE#r$a%`ޑh؆zq]:YuOWҁĉ'd  lB2FYwu0n R=@½Eγ,`-]ūSkƊ>TX31F FU;% Ɏ/[w#ϫSZ6|g(n^ˌiXN0ZzP Լ,+z?(ButPCN_!owHFvF x|&a#?ݎBzzg $ a;.״>sw˃Op8$.`Rz-9۱?K.Ϡ<1C觯zE쎇 ܎fNvK?i3; `&}A޽Kׁ0 R!7̺ \e?Rlp]@0pm}{w{C iH .QR(0#"8[>f/Pz䬹s&ĂL NDŽ ]eވsX2n%Sel?IwR ȵ&t({ṋCy;dqz}H&~7Rd}+[6WJBy2|dJf[㎳$"`+W)WwY{O./X]^׼dkH(`XĚVk jf!*:ӵB6(ۆ$'ULgXvR6ڔoL7B1l-ӈ =pXJd~GE .}6Ԫd`Q2=5 óS}K$hLǠ.[ѨWaٙUnڅל`Ρ3yBٹ\ba?+dp bH-,Ùs/[`/90B<6WC~@). 6UR)c(ug/{Ho rex?יZnvʚط~H݀t؋0'tnFo4eJ$2TOnJ5ckQW)ĥYJ%|34vÞjVvZ L^ǘgӎ:`]T>?UFFy@4N&p^aålhmFwz$F#Rޘ)zp]/ M6\i033š>2o6/S<gf#f$0ѝ` G``p[}ZAfymAR4uU?]^;)߶'Pv~] pCæXe侤_@n*}E٥C(sʍgAX){Iᢻp͂tguo}Y [l ,USQ}Cm.Ehm] R3n R;;|("V7봾IyWsrVMF^/\nqYDIY]u~`ix)mkXD=2>W~OM݉y,szag+kJ5< Su1n}fQS?ZÐ˺"&3,T4y5"kA=VM3FqX^[Oa_rujEzPn#Ι(OT#3*//Z;`54 Ϡr*L _74v|&auD+pD+S?ϒeւϥ ndpRXb?VQiQF/ߵ7ի~*M(1GQrC;fᜯ w>~_ڱ?fx[`1UJK$JQc}0"Jv64rqZ=j+ z*_#٦v8ϲg C)բv!@Vg2GD#MSK L&2C%*$06 Kq Um.ӫaɄ"%j*\FIE4!m*Fd6:܄Xa>wtԙ ǸX0h0 !<4G%ScoB+T(Bׇ;OxޛU%-/W-s lqR"SSm)_"^Op"1B~L&W zd5( O";M0Nֵ#di&W«幛2W}S/X=O:_3J _m@gZrM+@*Pz.Vi2/E @.1&T QGF ˀOh"r }ǟ"=eM;`bCR~,ws /j ڲf-{y򫏧9Ū|nc@~aCAQ2} :ί[d3JDO!d>-T`&}oӵ0G|WfvO|Xf{~tdl4dC^J^mk'-WK/-/%5ڱ~Ev^c<0y6]a&H(h!qQuHC@f#&NYg \ǖGKJvT~ x>m"U ]e[D!𵕊Z$3}Cnpۥ <ǬKt_3 x6'ߕ )Z[TJM|E\=0^SERS9#v?JVi5#e4F@a~r.|t^@4S11^``}11 v5pVxv-/X`^+Hw0mU5;kGHZpv =[ɩ1K*Qy*gHGnmtܮ3O8-(S|P1},5͌h߮}h\4*S_ggHd傒k œKlO8m)|'4@}Bo ' X.Uq~4n}k҂hoK觻-&itxU߇JkmlP IJ:Z0/bz{ʂު⁂H>\ -fɕW3} >/ȓ?ԃQ"蕇%]F i&*P3!4oG4QKxC q07L_~gsQUs(sK#1^g4(WI0tLhEYʭL`?" In膘d#^_C6UHr8sz2>JmMYwĴUiuӠĝ^5Vb+z[h|(xMd+Z vf0 =huVhNa֯tS%Sn  FJOZlYmEz "\юRJP]>qhq20/j\ҟK4P+㣡' OTQ TFWEg=7{cC%T%- l:퀗%nIMtL žT QzZI;3RdGDp մԆ+U+g+< S}^,PTt- OR-4G UYl/>%#9WSn,$Ⱥ`hxtżWAD1-`15Bd#B<2O}5G5W$xMLc>LVi9A+y]  i.65 4}.[E˵@`d*TGIJ+)mzyj3C* 7MzwR֒Qzzqd6ȆoFc_ w7UgC0e/ I.*u:! nM,6z?CEvzv4TMbm'e?H-'p,"`'P>#n.Tg [nbƲAyk`"y \hMVWV-%t*ꦭ\- pЬ2b|S9a'oS0͘T0X@! ZCqk;{Fs<%~TK\ _z dqwLC̏Gm>Pƴ`?`.*naTB8R#B>܌9|ʦfYT^2]%zw5nJ{i3mqAqƝdo]aRk.NQٞ(.)69&oQڭJ?ϒ_B):RXM]WdUaElWKZr'@1؎T#]TX<놆EU+$%:;x3SX-w5ݖ)l89C mc;CH:K;iuJ%سLCn@ ӌְh#"n3js0J 8`djV;- s[1O9;dk}i%fIƞ8\"'-(TgSErч`IH%OpM[w!P -4dܜr~g( P T)Z&G42"ġg%>޼$(db6V.4nDWILJ#up0rͿ]gUŷnXuع1ll5v2ۻ~ڳ2L|"^sDS*mPg=A|RqtNrMF`sWT2YjǚdU aS9q+}l$~p 7 N#JLI%8k!3k,qT S1F/9WmU6P'PV:1">(V!lwj;I046`K R낼Qko 7 O 1^-W^1q ܫBCVfвC0VM} 55(!h\ۥ%rX( ٴt-jGIVhū)0C٧^Uv(3bGM3N{`B2]a.̯ 3@:4דY@x@Q߯aQ46ĻC,aDN"TD_i)pz?"C\B+2gNO B|I)+r8Wj EjG&uY# 7JßX)d(MC<gB" Ṛ]zwxAқ);;lyew5#tv ㋀c T"YtK%PmCQ;!2,<V6~'8:;ȗt{]},? &Z$ ^d6TKC=yaC[ozEOY95? ʧ!rRWtnh % }xY YJ̹X KIhUfId!@UZxa#̰0Nv}Yj.5ˏ67qgt/Mlv R\ׄ*߷y(C͛q #X ʟn4 I\)pr’_-U+^p/Xj`x*m (Xr;D&*jK'E9@S]7SB|cPb+Pޗd1VXX: t5ҙ2h{aυbk6꧐⭫Ęv!$?ɚo ,jOۧ rf0l,MJF\b.MfCËK#B0v,bdb/fȶaV> uoF#2MK0,Nr )dme\IoAs߂@*xt(m$fGB׹BNq89 IBbV4iKE[;81G)ĤBtVda-чGE1umJ>C,iAf j(tZkζI~O|"0fHl#`~ vzjFJ }Fj;:{li6,2XkHp9&ݺo85i =jW :'ja, T ~S'] v(xRFާ i2-\4垐x=Ix\U҉\B~{8B fSELs2iJfo4XS)|(VU U\ǡB^pRg.auscyˏ!Aޟ" OMB x2A xWm}4ݙIvkWBUeV|ZwhW/Ⱦvs(!⛍l/^PKkkq[atfD4&( ~ bjګ)1ˋكxu;ֆATT 3[cI_Ϡp3;,V{ڈ:HuG뚔} rɨhfx{0Sz6G>4qNuqO⡪,G&! E׹}Tbxt]Ujv~xa[u$tT&nğf_A=ٻi4ԯfKj%ūww(^bU#Jp=v<>;ĪˌY8>Jl<.)4gL9V> ƛ^BԆ)0ot,"2R)e!"/d<ىO!'(N*|]aSȳ~dK+hVW$sU[E9Z,*+,8N.^ԻL!) j>"xy6| ϜRٛ=#ӺMrIEBU?8hH8a2<~* `&LKnKRVTe\cQ)+.J_DBZe+<6;^"tO0!Y8|I%hkԆ0;BNd^1 _aɬ"ފ-6U--D};G3V4&Yg"r_žsn2} ⋿A3բUE.!ȗvK%:Д,Pz60>oIGjPLlmVDZ oC΂z"Pދwh?98}Ⱥ)2r ϲ:΋HsiE%|CDfށoL˳GS^ C 5ݕZyu nt:cU4~gq[$-M>{4jS%|p GYuK(W[6+~us^8r/\T`ڋ%_8ٜPs q]K /3Fz7g`q1E@K5+\ Bq̂~pAe UZuV`ShYֹ_WHy|63nusQP˔+F\v[I=} Ul a?|Qa_JL0!ps0VELpN"Lsw"k nOGo\k;iiFiVyBc:xW]fyvid )tWLh$V2mb%Psij0v}ЃʩN[_ǡ]b#jEx9A Ne7]u ";v䃥- L@L#n0s@;v!9i}4yvD7ra B905'ӁU.=qd Z:͊S/]"2_8R:ĵmi; _fdEH(.ڼHW=_]kn ,"X @>"ҏGz>8:\yzg< $ wYx>#)5cvf I,oD4[n%CmU]uXm*-rcdAUq ! cW L;jhWhyq1t W24F.vrZ |=qV+9`@D~+Q*7^F|a^ij,ݜV)yҢ3ʘ_^|s=k2 jed x{ZApY7A)9cr/Z[C k-Wq<;Hl&"9kxQT.2ѥ! rF2\" V=ĖM ~F=Z B0q̟H\24ȥ$L'&g5va4Qs9YD~OM“:HnQ,FڭBJ7'wl5[è 7x٩ } SȺM5T ֬+/T 8ண8߷7dTlx(p?aTU[V?K_KS"Z.@b޷eFԳ"xZ^kPN:Rp{<~qO@z%hzm4~T3 7O4WwxI s,9rLMzDyt, VإWx}4V~FvWϞ=231( m1lPK 92SssWjuDU)cQiG`@B1 k"=?2!phqjb8J`w8VB[< x/מ%^^XO7У[$GNLv۷?׌Ԥ,ZcŁDlOtݐpYxĢcaoW~\&l1lAcAa?AE8 w!7%}q%}"NfY׊dbuK4˝3Æ 3ddAfjy̰!$$%9XpFTL/L~fPt Aϗ9l0\!;TBo$|^&CP~VBMu:.$%ˇDg ɷdK9%='C׀8oʇ"u, #`B@ӝ. 4NDa9n}<~J``1!UkôU2=-!!ˤ$X2]׼}7m< H>%E8{T #:q]o@N~ĸt$ISdy`O@ `% l(ZmYۜtc˟ET\)L%Uo_kYb*oSkiKB=:k/o2p e;*[@ERί\| ۪mAz>u> [Mq .$wJf>KE}NdekJYn8Aps.q=se(g]pV^U_*8r>8}l\? k[XTRYǾP`m}:17K=L5V瑱-'IIkSX"cus^mAtɗSɕ!tGY)" FXW98pIlL5Ž HSSWM"D 2w,.VZat[sSƪ_{tb5a>"X~pi|kE^*_[m҃b͔2:Ly-Z޷SF ( RXogՌ5?x` "{-RTT a@uV\p4EAiU!/PATl\ 4d+Rd"~EU;?:/g>#BgKXB{+X^@;rĩ93v-;8LCjݽ2/&uui ߓl%هJji.3(g0 9M|}vdCwR9Ujv9 N- ZNFNmD;5|*LдA8+-cƎbKdrR7q/d $ c[YZq! @abjK%mN 9[M':9aP!YoK,KpU"NJm[ z?HښyK&++F6NY:r2 2VkDOWeRtxk){jjz5.\8wŞxi U:WuOzA߲ j|V{H'׻Yh%@56;|z&GŽN`C?6[M,WkAW5*7)(OնN1AsQioN2ȥߧ6Uzԫ^~&8=p%1uz{m\by6yS+N}`lm7}[Ƙ_;51Js)={ڪ{ʉ3FNāFbwdh%p|kVxoEZ5szN1gH~I8ͶS⼦δBjSEf-)qp >0 :{1!]uö'{mK@YT땋'lg;&.&NbwSBն=#j2 BᜃI@{]jӻ278c8vj l$?T~Fv$7[!u4ڍg~^?gIsh'>> Dȫ@߹feg;Q@k|f¨81ʕ;XQ+=L ;d^% YڼbBc1 Fv?7fbM: @؍$?.sv w#^ Չ)DQXTF9um Cg7MX*EVd2l?Xt&ti:#rtEeր_a.]KalM. !8%_yqѽf;_v> stream xڌeT]Jw#]nIMæ[R@[DGg0p͞s]s\IId 931UTUX̬HTT6?$*u%Ȏ/1G3X&n 6d]ll6n~6~VV;++ Aq#WKS<3@dtB{8Z[83_ _[@h hbdPX='=? 3\flt:M(i jao  l,MvN`';S#"#PXOxdi/g#9Pcvvwfٙ64q\,m* ) 0L-흝,m~w; xvb [[-&{sv 7;?w+.,jv.@XEHd@g+++/`$)~}xكfV>f@$/'#W ` 4C,Yha <3x1A(J~dԢ w;+o %#򗫌zoͮ!@`jr"(?ktM_F6S R_S ࿷Xhjb2F3SbK'IKwſhoﵳ*,_5&6V5:q_* x7 αsqX@`CrsXD~,EA|+EbHA?"A|8ΧS p8 `QAZ p-8?3q4{RNpFN`*Y:Yq9%khd9%KO4c80q1ـO͜%zH?MqGd flܿ. ' >0#mlٟ(` 3K׿V\N 6176c9-<-vYeApVA1[7x06<ݿ:_,Rqcف\l_~&X@nsGX,ERm\j9 A@ScҿfnOX.pN@[o_~3l8rydr{t skA/>?G:M\G7|kt -/L;kEܘ&8n_]8bl wzˈ8nxSŕF-u!C$bxܬD;ᱰC#OQ~"N]&D}>>'բR k:(VT!*. (m77%j,<@#|z]Չe8Mo.T ɹ1Vx7/ 2E\1 -A'RrQm&K.(ٻ O/[!YH);瞕=5m93fHY!J74OmؒFtȗSW=I}FDA-4!UY3 #2#xϬ#3o) o|%$Uux;ؾ',|qS_0)?ƐPy:G:ɡ(REV(CDoj `.Ŭ, 0iOVvkGp5IZ%ûUj%7GAiDe+1n'̔4 gE5yhM3بǪ䵕idALEM4īލ{|=hhJHS"poEeHܐFM4f<)sm.cկ̊E FQmlZURB{; `|Uaћb&Wa6q{ՕɉrCNZ1J~SʄiuAaIh/Hor[巗V WͅXr"՟¯MKYOL- .+FSe^|(mu!)<3}OG-YjMj;9;ݎ>Qo}-]}ĄW$4t@Kk4'H|tidL~k= A(PD^qWP>P֧Q"iM ȶZ +&>ݠ<ؕlWpluVRz8]KyBqxeKYEX8U}C*kL0#YPJ>>&#Qɭr-d1!%z#ag\{1FedrʧثCS6hs7mhe%/z"fGUI<1%F2oߩy4\j'Hɱi\S߲Q뢿vot^hl4n+gdde*XCֺ;a'?kD0A K]-vUUyy̖R&mA9ٻҝu YIFu4lOӤ/M{pw|X‚p[㣞b z\:4g5~0uN(W?m컈=WS}{2=1S:]^FM$YF2$ttitiٰ S(\+cdz ߮ӌȐ /?b*{UJ﹥lR啫@t`&D~dɗy/?]e^DY'D$"^ɗt||VRФP- =CJXA Z:,fIF|vXƭ BqE#u2C%i48ڕLhp!>"̒9b^⇨Z*  !EXF8xd%LA,vֶpa 72p65rGGԲ IǠaۧ.# ,֫Q}洞y.qj쟯m_W)G4~.X+N +Iy'ygJ<}QUg_Ϙ:5؟밧©5.4zxK ,Fwu~O.v(䡗[=2\Lz+=BGzkƱKW0=um9 XXľ̍0dY͔s_1#D+e0׶ Y g)j=fEªǭ!W9ie( EoAkM͘ QW=UH_qdKo*#X W9^(k6yN{fA.)N᧓wee^ S$oJ Uw1.IoUxO̷v1O7TwI&úĐ$T|,݌Y?JdyD.ZǬ~iLޙ7 cPDH > ab9F7ܤ03G# 6{/瘆#͆-³,:דa>Ϻq]oɶ'GdCYh JYW1w ;k,_|QkOALTM\w?Q ʚ\oZlh Lr<5·&V~ wah}2ݛT괇n WzEؽ@ +'s6[CKgw68ț3^x)GbN}ollھ1$JpWtB3Z,KFX:Wv~L^'><) /EXB)ø#MIvEOk6"'Yr^&[( ]:Cί%eMyg\w D<]#Ng^)ZP78i8t:9+E  ґG6F/EFu"Ut#؆pVo$~ H|&#-gNzPB4,0M.c@ ''iW D9޹Cc)FqϤl՛0&9XHG,~4g-B!iKBu*KH6my(;XǀXt2UڐKv +P۽aMOܑZ?!98İ:CI+,tqع[7'.L+tM/fwJҷ8\Vt>4/\%\=ֆef7b5N :~&sߞ Ό5ڼL|ePVd+Z^oahG.rAqK$HU.Qj)Pc<*vgc*f G FYHKypЏvL H1c[J@wң" l&2 V D#kCCüD.ӭ/]sbLu9hI DPbm]ظdo&V58:+wA  8,"3*h"%fXTQ\}y'_ Jg_ޜUPY ?2km3|﬽ҭ}DP“1,dL42 K{TW9I UHpǒ#$sZm:xհM˕J/0nr%X#a7/1eLC]qSa=| *=%@Ht>ΙgxoB(mS(I^ݟs ؞2Ed*(w^#{?|\_\i3*oa%T C)0`)%M0{"Pnse1EWW& Tk, M_NX|ݒ55̻\›>?KaC mdsBDFf4_@^'ͅ,tڢw",0J:9FX͵h.4-E| yZʦ \=l|Vξ$!$ Qǩ_8vtq5)|ɓY"o-?I<&)psT/yB$I hMMXsJDXC6TК ۢ 68$CBrp^눶o\&^9)>oU@UfVzjw!(-|DiIY`DN$`%J.sKU>+D!x[Q ׍nl^٦,}ʃ#`~\c+U܍"ޤH&@nB~2siaH}c?]F5Em./]W{ϛÖ F&WKbTj|; >ۉ Kc? @(W8Q 2aHrv}UGRl%+^'yc 7nFi'K3ZȆ{얻-2Zğ[G*'@nHP%| \8< e- ӄrW)D*P))Q$HVwC#Md H_ տCȥ?:#g6R&v YtЍlKL}JōgK A Ζ#taLwbVRihxI{eyQdP׳;jI9=)*6%=_ cVTֈDeFS#975G>mUu 5ȝ3%4y*nvTM_F)[1>˔=uA/*'MVU!hp˼?^OiP iPs+:w$sDqs:/ F$_(ebw+S CFjwk +OǶɟ~jy⑼o;%6{J!h~⤋ W{)5:S) PirjOvݗ ~)ƌGV;;;oSMw8a}VLoz/[G W#2wLd4óo xG!\ڠ%5hGO5mlQTidbe|j! ^>ms>?H=SJmy5w:Vz}Ïj"Ẳ0X(q1gm W**~QKXٴ]*4o i%R:+ v> tp;y<so~ۋXm!.-wF=wLbΨl%4A`θB#/5#%Ҍg#΁Y!zs926o ;Ҡ_7oJX6Gb3Ӽ(ÌGOS)n&UIC fqp.y|#9k@庝5꦳ 5xr5Bڶ׏gkSzke]Td$$$ |JXt5՞Wo\T܍I4xIP앹5^~[`b*Rgj]1wE~oH{7,#o"3O4t׮ O&K@Y8x_-Q8<^PsWˏDYtJ97>fbeaSXZC+K,A#,KjR5̰Uj0"_.Sk>5b%6|F#?AN7aiV5l=?_HP !X1.27#ʟ§|r,j_i!j~ơ@B?aI ٦|Fs'NbmjSӃ ~fӏŭU @BC<]hlk;C=XݒP b/ ei_yD!-MNPdEɭ}azI2ٴ_ro筃1Tt.ղl~S R!G{e|ɸTR_fW&1Ջ Pi`EXt-IRuE]prNݑJksBQZJ Ǻ-~& zK?AkaY"x|_ OuHK_\ Q(nN&/c{Z4ov1};DަCqf)23,lՓ8Q9B(3wbDKt]Z;8L qcB2wlp O5 IZD eTA>NDT+Cx%m ߿vUe2R5[kus x3qeP?:@ jEA%5KΰK]7Ϯhqqۃ&Gd3{Ǽ$ OSJӢ ;ҩ`"_H;շq$n`\}jgٲ|lV^ .ݹ'N Js>p؆W[9 LļFu[J!1y2a2w_4x!?-ґ\Z<Զ`@kAMx<耕+PK?2b_=? dK~5N=Bq?͗ rڀOH\gc< Ay%'2:C3c9Yo}[~.V>ҏSeoUI$&%jI`t2;jd0[F:5*VL!B)vbZLVzXZo *gK9/ߺBAF?+fT -*0YQl%"R-[N+S4ϒl2XFBbV3xyPVJh1'}yx49]^1:nwuy9vZxjo퉗߲[/8nAx@xʰKM0%$.ȜS>3ui8IhGa8Bn*i[]&]Cwq`ZO5'z^$s &3?b^v v琌[oȼ6L wY=ex #TD> ?`IBj€M9Uezy.0P)9`T4 KWW92)kM_iB+ #^ӊ |U꠳sf?&i}3y}u$BEUIAsPԗ`o)u}ԱחvYB4h X1\-}iUy _w~Z2k]wm#yh7Qc&c[sEJ<*pʪW14I<mc|gz@ɑy?qXé=quC6 ٥i4G3 (}).cJ,a/Zd)F4[}J9ldgc{k p.o~Poe$`hӟ ӽ6w{?f#:KV}C"`j#`{!y^CfGzEsi /$c3و-1k^*0ù "q/!9(N-sE.jtԍDiSO6)5ҏvΠ89{QN>51G?"\(CtDjXwLH4"p $TPQfS3].6UmV9G-\Eh \)r͕O$&8o1 sv9钂q<83Т"ľonc!9/=>+s7]2dCvR/># ,QͩDv}э}1 Œߨ _#!^Qp1#c]ŦN7o8H8Sd5o3 Gf(&c_/5np*]sMv~aʉ-Bj;F(4]+Φ29vħ>jߖ c M,׾S gA{*6A77,/SތeSNqz3?۬yic^kz>h/YtHꕖA0jp+W>.JCܟYu[K7_BF4X;!S0$A/=t͒ ,g*"mi MmчmBhzķ `'Al>cE0ek}$ ?{c)r\t{X _).\ _<\ HsY;:rq L;V@nڢq1%{B02zHXәS)ɘ|/QC(B>-d[uxǖ5բHcFjtw`>SK?CJ|[RJ$S'(_Qr߷(ycFQ8^92ؒP!-TO1.V m|hzwZu* @eH -gpy\M2_ rӅEj4/#(jNaЇ0-^W܍M=PG5oBTKMF #> R'R멬Ûj-ު܌6ZݢN&z"gW-HbqmK\\EFi:c[] ijfZA峃VMwus Q_.3Xq@$=3u*f!}\Њm"R]a.wf >x*tb~kX~%Gp6Ů"%8w}mܹ'szn{_@eu = J̫rFX9$t0HM7kkysU\;cKcNRJK~Fˀd's+ gRW|8 {!d_GdMVt[W0|dkdSy:HT($uBBTKK;0U]8?S:CQ6 8}gAx?«k.wʯ0i)ʹÙ ϻC~{j͇jBu)xK3rȵ/pjq{P1oys~IҚo8%Lf판 >ף8lɢv#cP ϗa$_mAs֖(oN* t 4D$mۉVwO2 zhͿXԯ[!.ܢq$mj.| y_Rs =\k!RpVtlx!e͔ Z1XTN/nɬE8,h}4ty!)cآia M%CI%^ BOj ]O;u adpE >3%"+sk2DAVS_0Bi)EEZ=DtIP,ZkKqd7ύ~;xBz>xԩ%[,ǠNl1&UG(FekĔtKA{ |\@oc j^/.&N]&c=+ZƂkt:3fJ|i8TcLyKwTQ(We v[ +ټ،Hj0E! Ĕ^fۘ ?2$[a&R+zcҿ>ڗZC^i)ּ_{^^q@gFϓ.3{S/eؑ 'zL!0~+aR ُy 4˄r$*f[~IZuO+OfZSԧ!ܸ&0y>Vr6H}~T`EaO!1~E|,2lqq˨ @B]'1^6QR$fJr ̘SگN׍e:ň$O /y'wQ9π:STaHa'|=M`K8Ys ltwZV_lP݃ɞQDW8X`+U'FCRL]X;9x` a#FSs{3|q}K#N4z(vfBKfwXTnKzRbixTYƯ{6ˤBueDE:9qS,󍩜mlgx+߶t߸IYMYc4姟sROk!5mŖIٳ KQkQC'8rl H7+no2"4D0,ھd@,\/y%<40$tizssఘwxި>*}ⰰ cH:U;#?ngMi9TLpr 6{VfHwӎwt=iq;Ƨ›RF݅0~kU>\_UcGWۊCsH3C)F1si=Cx_u 2d' #KnJ"KkMW!,/oyX@)F߼?h\RGc4֬썆B]m ft [[|o%Ɩk%COJl&Xu/MD-,Na -<+poz׆'.]֮`pHHy5ěOc-ۚzeCP Zl}4*bUyLkMΑgloS70.߿׸6X9/(iW|gcjl޵ؔ*o^\Ml!Շ1AhdO y[3=opp,Vi.?](ͤJH8V׉@.#&lB`ӝ ݂wW b;~*Wsِ 8OC񡛃H(z+DdV T-]&1XC8XTD,_fgK'1yaL]Ff[cvBS!>()>gdczQOYΊ@xwr2ް5R^j;iY@xoICGhQkHC3@Q7ۿs,|1G1{޶pB-N.^ ZPv(|[^*s~T0 rDuU&3 kILT%0Hg ~ YX(̿%TdtZ|!WK/bJrh$hԝvEjdmb>5 #À.#e1 g2ټP!eREVQCRj-GY.K˸}*z>`2n{w0BwC3Ɋt_̦ɳ >%7:3VC1Wɟ\jw&j9OK?R9y&jE+ypn7b- b~Q1[d~5,.ixyWn:yr/yފYG.T) 1P5,B]h_u/ɇKڣ1>6'q'~MbY P&S/dej1FVtM(r Y,13YX:;hbum['6 NR] 561|iYbQinP筀y}*hJC4Cg5,K\eD6aF\[WF@ժDzĸze1Sq1j O>>2^KF yQOn[_jp;< 4g>ϑWK'(k4?)IJ^Wɶ'{hIɽ-}g!}Q,v2 \Eza;}<܁9zDwכ":;͊1In!!+8ova\jABBef3!Nʄ)LaIHjrBz~c#.-< JƼSn:NǦw (4Mל*#Z pg7Q,~exX^OܘaG O'ԩ0szۍ'$ɐ݊aUzn I)?'$<`4G8* ZW 8,tYlnzؤxʁ/K.iCPY-A +7CglaC?.,[v6o 0'ӹQ:M=Gw|XWM52 +p0}7oGXq2,A 33ۺu㙇7 u)+C Hsin29h*vAOYu|&P_ ` L. ?b![^ $1_g{?0y4wm.\MDaOMLd9/> stream xڍxT۶5""wk;!!t^E:H)Q&At /z }Mt ع^P#@q~Qh\ 0 H/`P0 AmW/gt%`+;0@[IvA0w* @(ߥJ~`7+ҝ őW1+..8W} P7u> Gx^Cvhy¡O< |Pο1 @ `G_B~(~W=$jA}ZۍANX9(.0@_hz*`eyf"e$Lk9!됽µD*DGӪ#.o{&gM"Ltd &{=oU?q( !kg9Sz9:f2sFyD[hZMeIK*_I4I.Qݏ']U/?znMqq/z[t2Hxf9W0КEq߶ES:'׭_ӵѦngMVi:8"Tg +7 #64i5au 7}3jݠG91\zfnQ7b^)>h"77Q<Ҹ_o~P\PI"eloE]_k=TL9):hB?{"P]ϑ^)r,3'i (*\bFrڏQfk< Iӂ9+*XDl~iL1>}37=[k䔱xFqz ۣ2$p1W~߾6J`wS;NE1*h &I*Ʋ%]ku Fx-F-9I]u)Sk%֋;,˿7fRLԓO+UpġŸ'&hw&&nkےUԱB/$)SPuf_zH4QS-q=1n;|?fcIY;Of/C%4"XbY5Nbg4WS=aYݞj+L',{2ALVՑ@jf}KG(2Y=(k5USU2`zZ8P/wԣ;kKRܖJ`\tϖ)8~r|s5j-K%,5~{3KX{ބ5+L͞ )jx*yp>cxv굇~4I$b'|1`2#v1|⢔Ēs;0/jo@&w*m&M)4 X\MxaYvg߆3QyJ8: ى/{\H/̲S4#s?SvmڈB=m/o~dhS|4]hZѽI܈|9I;D2^mvMݓ/2l9xa A:^RE}1=֓EOjHkankn:,  YXy)RdNS  [ihxυq9mn1+9fB ;KX+Z(%1a1f YeXKχ_9&(6>ٷ7[yNG {Ɍב:bT -;ͱl˓HxUöl4}\RQ1&]v˵>Zx(DPIٝZʗwqwR,̿9Z}cn@j3S 쨺TsM)ۑQigyjso\#|53oqU` _u _4pgm'+}>K\XEG/" qi~eRLw:0GqFMsȭ#`pq"߫k6 ~LLѮZ\ g~^_@x̤|6~Tj6EyΤ:Kx̓1(Zx’^Hž(&gYUHv KF/?M !113YJ8Y2hk,o%VF{ ^\tOPܝ/LW5J=auw0 ue@/m[Z\u^>zo;'zbZAev[8s'lR":FK|.k1hKh.xK˂ v=W~IdϼV3xȌVLL0MyWՄi2'C?^p}ӭ~%#vN+Z'J"ַӲDI=ݏX?]X|%;s0]N͡c{ٯY9o܁ %hcOxK]sϚRW/}W0/3gYW9+ݞ}U\jXpV}$)l];0;@u443f m7uNa{nT5|N7JDԄQpw:d2ŚEZ+;F%9mL|i櫬†-8 uaxO+&i* 'FҮ'X>/Iu$[C"1tj՛7aZFc.Oߺ/1{|1[YoFfM}L@ 5-~g|)CMXe nnY_ԲlRbTD  {t?؄$GgUU\: ;sCˍ$ 7Ib܂4R>w;Z#{idj`Eקw,.rh5BtYHse_qu z3ԉ_-駦uy]Z'ݩʛ(dSD?\Rם R1NOH,z#,Wg?< B   qV|wM'SgY5S糵9ؓe+/xfC(8"ſ&3i'岍9xy՘+lNX> rԲW}ؘ2\{.:'u\}=tӣ/ط![=m|$s[hϰAk#I2ӫG9DbntnfTYA}6?x(Dd'GnR{ʁ9;9qX`g&:RpJ[b]ȔL}CQpyrma`g+v!j7tEd]ofE4vNRh&&vdµGZv"~'./y#ƑQ{R=3E4M;}p%9`Py)$q!];dz,2vw^0L\J7^4Y{'Px]+}?s1!6q3[ %)ԬHϽ؝iCOq2Nn.HZ'>|,6J-T[Y3Q5dyY01mAk>}iD69鬺o,*eP@8~x&l,ْTQX\0a'lJ#1=Δ}!(Lr9K%{̽P%GBIh}#rȁcf3qp4 G}nc3xjok.%K66_ց`ebLڂ+:a^ъe!F͉OnE}l⮌Y,geiߏl]VJT(ozռt!*_T~B^,4;"p{,xO6F"m0zq=0_>\60?`Z~ 0*0vzRsM$0&}c`ǘ\ږsv3ɺyNuzm,Yl2^EFC]滁Ob[ xV_򜬦m㉋{iд|5DjsO\kѿib-e7צL[({?V⬉VS @j:{0񥇙.}Ury]#%N"$Igƽ섕[-(7gG50\s@/'rSfu_ -Ҽ r],u$&;X o@lpIj/jC2#Aq˫Po9}N),+Kssc${)vdც+J11x wz-[Vt|$ҍJ ;Bg+B{vN0pӭsZ1JP3tJNiǬ۶c߱Ox H➫\4?xzKKpbD|NX,XI1o Z6.(lb4 01??"qWĖcxynyXkv;lNwŗhm+Rd}TܘJ[.7p`F-!JwqZXgnc k/$`3 /l˩\{UN'VܙQe2_ı$Tn;;0-y0ǺLW/Z}`lh|ga6޵HkwrSB,b4E AAxrFNpMYC<2E+c7TX xv(]じg.֝-s$Yh_l>15:U+|p0<ěMƋ8hkWf"M2j%N.(Ń]\oӰ8eO1p?xۚʦxADJ^tٲ\ X‰*e2Z)C q AwҞ<UVBT:DrEeCDw_<}Jb\c G(YT?~)Htp?^t3 (BW;8zWԎ H}8S1V#6g_lq-_PUϑ'Leǡvc'Q}fKBE JoXܘF["?FeO2UXsbv/yk U\ˡ#\1iR0tWOɌk3𲩕aUQ@X݊-HePdЮ~$y0itB6KɗI)aaXJ~J٣}4Fuca>Yc7 CI3uQgp5kNdո>F,p>g4:p8Kf\}CLDR`"8QB,EW{`3ߌaAxmMFg2r!ˮ}sCoYnN#5mF&VU7^/skkȈ=6BNq~A#s8(hzfف;E +SfLYIXڗ֠DE~k^~@ ɷea:;Q$r_?<#n/pè&]7̪W8<>g`C,bvyÎVbVyô.pO?4v=ռ-ȵM5{[6T2ke>$K K6k/x endstream endobj 8614 0 obj << /Length1 1372 /Length2 5935 /Length3 0 /Length 6880 /Filter /FlateDecode >> stream xڍuTݶ-A@%Bґ.А%$A JEDtKA91#\ss~b30Rw(, T3b 0XeĹ .3DdAQ@mPDRVDJ 2"1@5'(v qmEdd]$ AqW0  C"p>(+ù {yyX'BF,㉀ uE 8"pc= A @a(8o4!PȺg_P E Q@{ G (/"C=Hs(!xXÂH_# *?eu\@ᰀ_!1}ܬ3 G{ -<%22@; sU ;( Ov@ 0 "#a8:FY/Bx>~ F~Z 17OH HKd,cEm\-=([1cϿk>?kEUG` 0 %-)77twwC].> xzCmo9ipGpPQx1 p$7@`$7e5$ a"[Y`9X.xs_u 3Q I x9OoH8 Og ڣ1_*. v a?J<0~+ֿ@x#` 4L.ܩ:RK{_Zb-%pܓu/gj܇]O3z92¿q8mݖ2G޵%w怸G3; I,Po>2IyB yl>q!.\Tpւ]Y RYpsZc-8YZS` &ZCg8#H|ƻ4< ɲHZ&:_m&GXn})L]#爠]8(S凛va#VbLj 춺g8Ј4G’g7WyH)Z$ vn+憯rǁw)e%md$"t2tթjܞwKT(]y7w{0!ט>Vxb quC 5~fҶfgwYߎkuz_<ٿ5v1vZ4[:mϧ)~x[~鞰0lFaP`y{s%I:|ڕiZxUH|V?*/}i;`R$1QKA^zCLtog;UD~+3 DEpd㧏h^@idJrM\UC4 e5k6AeLWwK`9w)B |E r!n+uw7NJUԀ4t/X 6L6 ^xV٩"j@ټ0;ŸkjXGLJ3=(N\G&7inzha?7r[:ikz|c| d#q2|PPgmKqS%PDYٯ{>o={1)]="&njyXE`9P^xN(e?>ޕ}@:G&*9rd٧Z6'b-*]m(GʱCИa `rv* RYelptcq>2h?|wBuuZT!<,z,w5IGj'ƒ*˟Oi8fsNCzorIw.`gd؟Kx^x0#ye)p6yIʗ4?{~rKkG#4 Gdn>y,ȼa<AҾ4PN""1 7/JI딖a f&l^- &v^^ao@ug(3$#5#x ;X{O>}:Ktxqqc Ng)6gAKig/+޾~c9ψw7A`P "E] nS̴SPTb)sc,RG0ϟGd6M~䗆(o:0X BEO>ȯ fMtCdh킻 `"y'*f:DflYd&eK.a Ob]^}2jD;"޴&:<ǛTnupEWf5³ &N9)+yi+Jn+d~= .-1桽έhetn~Z^ƒcXi_x-0=آKCIQ秛ȟĂmHnEOZd08vwvxg "Y;#6>ݲ&8a_bEvYi:,$#IzCmַ  acx9R]4naK %nS nQ'}o{uyKCiqő($I_c gng^ËՏ-'8Pzf&I.1 LRV,xF( ܋^R;}OX5s#(|ijCf&{=ɅĪx bO 5[2 !PǍD5=3eXUhRqS3g;j T PV3Q֟}+mфC#-_GFoQ;e:GuҢW!{YɶZ8n6#gَVe[<5߼S.%gpg'sPpH)TR{ )h/|/xEY'Q2n?իo#|$%um%=K_'S_v4ײyE8+m~!q(O4Uԍ~a a{ RYd]~S.(@d Of.AblMJ]fԗo7Ǐ]b5?i,/HH|ꄻ^ Xtl0ZЖQ$KC{kĨUqfb7Iv7}|j3VY9>#rUw{bmYˢ\8Lo-Y#yH Ѽtӿlx8cXl MN~e˛{r]^UҤb6`Lg.Okx1^|? Hm!UJtkѠu@RdavK"n,qqg1O̸.mSM#]ܛk="Z$IAua ( nl: ˯|b~(v:S4JigS 0b,ktm73%`SPF~F$ImtV:"3I˔ {0kHmťQ1QMsɬvEaRTE|!v//ˆvGEZ]U(*b P[9ZTu EݥTdU{$/Ȗ~!۞WLv}J&hݺ}N`+<`vsrN])AU0fv_Umۓn1c=3Y*ȼ [G^#Җ~|[,ּďpԖwZku>yIEmvc*|7tAZ#6qrxYh%Y ǜGqAzؐrHɢkWL%Qg (?"XۤY}՛y۷%M\ ٍizGTok95<[پԚSLB8*%yy#vm2,]Ֆޫ`Ik7,/*d~`N~D9IP|›<x'k"U q^C%t7J Wܠ/\hѩmn>ҋe{ŕOL>}7ڄ 1b!O7I0i.*'?2\E5ʰPi/U:Sv`nɋ5@OWg.4kfqqzqaEDBQR3}uPO{.pAOUћl֊J$v=g;`kՁ[p)\2'e WzVt<T' Ru endstream endobj 8616 0 obj << /Length1 2315 /Length2 18815 /Length3 0 /Length 20180 /Filter /FlateDecode >> stream xڌP n!;]%hpwrNrվ{MM$ffg;11$5X̬H 'HZ@G ӫLP wqظxYY쬬|1sHy;0Zda?:Sz1[ P4vھf45ۙNNɞՕ֑B r.@3_Jƶ1#Q4,A(̝\W v|uqr e{ c 6pz[A6@#lݫ1ҍbWs4u;92;lW6K$lm`'G9M_pvOA _4̜Y4@9m^EHe@'+++/;/t3d+=o%_W^4^ s?O.@3ӟEHll3h#*_r豾~n#fQy/*8L\66vNQ1[r`s;??%tzR{\ `b5}a.Ho=??zc[z ^j9@391F3q2r#9J܀f* 'S_9a^XYZ" z7 0vp0vGz+|b{=f@ szur9 5Xn._7E7HF"Vo`8,r'E7z͠fP^3(F|"^voA7z͠f/{`_uƿ9M~W&Ʀw鷜׀k! Sg[s׶GupezQYW/2onGWl|]>X[X`?kdL ? eG俈jf~%b[klg4lJw0Eڿ2vF|wt=Z3W6Ǝ&8~pvz__7ᕽW MfL*o2ms_"hoIK]pdG̋O[:`/xc6P kn9%t][{#IZ=>dz=ARxCfѨx^^Ԗ2 V9*sѣ7{w=C\Ed}Tw_w;:b/LE(m˞oEɩYA$AKP!nm,h _H-,.FDG8 dN|P10g}*9q(VEۄ)PDgx˛M(x91 ͜.tYdjrJOa>P&nK3-KC?VD1a_},EoPLh,RgXZ11}"SA>ANmyӺ'BqݩFarHKY 󩧆M*APNJCKJS7^c LDK>V qwz Wo,rRu :TDF+rq^\]Y04jU] AZwնUA9(Tolu>_Iӄ*C:RwPx9M,k>(`,Amj[hnN"8 ,BtT{3:.Do#T`e:ϚD=d<:}\P=vd{4D|ެ3@Q,-{sxġiaSEW:=Tr)oJcQ F/V, f=1Z ,^cl"rvSQS+" 'F2zŸnc$|4}< ^R?#xesHQXg|$[4c*OgF3l>;^aT̈́UaY .=5G1Mޑ$ &Z<PCD<ͱ. AaxQ$~>}&8l{Qy@.Y X7 3/@wvS>AҔ8 fGUh[uKv,F\8E{~[~qi!OhpU8tYB~߭6(*iG8J4T9$]mVRL۲b~C_Wn>cj¨'W/_=-{ee4.A}ᄎ\2%]ڮg ҪQ>(+;N͆ڱc;"ptg([B>{a J\XD9(hCT,G8>ܙdjԃ&+ Vqd')5T$PGMH|(R7&]|פZ 75cV^, [~MH wvL"we]*mC!QG.&!zLMmY('<K-ABC |Z'KS>) :La[oR}+}|Մ9V֔ 1E4_"n_`Me'v X€fTc6jaqpЪli D>| =F|LC>0EY 'NDy+Ñ(6r\Fס˟j6$Ba7ޒ 1Ur۔$ך樼3vm2 :fbCvzd*'Ӕ{,$psH2 A*llc1 -7/$ᶛ5+LXR* h_5v20@/ /m"tMf]aI˺`Kʼn$Ϣgo4Y·8NN:ՠ2`g1 r{ħ9!a>b| l=镚 ֯):6!P#Z;cl|hۭ,)Q7 k{&ܒGCA–zDma4U}$PRP'j\v ezYX'3gfIߥU|cfCg z} )iUǧbCv<cСaJkN<ÃC !mL(ċ\ؐ( K#\z Sh{@8!Az( :(T<'|!iٶRӝ-pr@u};H]d؃#0J ]^zN# A^s{16EU~yM,.VB/k 7E]Jp^f: Ǯ}NF L2|XILLH}1ত\-67Ta CQ@c uAF(1xŸ 754̮!| ZtcvBj =n|uMsvJ(K~+yE5/y*צ0wYgnh`'2)!7t2z|oWNFїQ*XyX́lQ:duN/jy#N>ʹ[W=P̿94%_)W:xO׆] Bj<o]lArJP%7~qc AQۑOqHU8i5rge ƛl֟uN3Cˎ'eMG׏?|GWkzR@qܥEt=GgAQ>܏"""%g fCX6$geׇCOU44$rW?дZAbQ'Z +SqT^q(W2W߁B #5;RFuEu{r.qX[<'2%=2z` k9:|Z[ö>, 4:/rW24>3j #?N(o_ @XǙ y^oQ'^svcޣ#Ea.:!hh?M >:p5遆'{T.Zai>Xh'F"W=wzHU,غVCQPT}?0ZלAXx4hf}]To*ԕP:Vz)x!# pJePWDaS>h=}55^);EZ PXpzR=I>ȇWl;v3M&2dJ$,98˲Բca>X(A됳\1 |RX$O?+7W`MݢOBX U+pA䃡 xp8On\ ׹m?jԅdҹ=9:?Үy̠5';[D7SyԞs! Ꮫ <' M%L\ظ[ٮ1zNHNS).v]6o2F{vHy0@w՝g?+¸4vȳ:>/n1o?7ggyln^iw`Liz^vC-K8fɞ(􎙽.4Z]v>F {v: d8<c#*Iiܯ*y$ZP /;c܊yAܯ`5wgȈ|(Q;~ٙ;Q-ì;Y*3tp8C)| xcNyɕq҃]Y9;&Ի}( p75|2PBsՌeY'yq;a.-l'K}!|g]rE3b)Yb3ۺ#Kwl-_jtc@g2AXx3y}ICω"q,6z6+4;8DXajڮٗq7`^^9.W]}YMdkJ˰X )c+oWຯ>~mǠ@="FT2U{rV[Tضev;I۸&BL6M(z2wpioA7\ۜеVLiWar’Y^΍|j<=I $4;N_%2qBc*<1D0{l4$: 6Rao-rJDĿR$N9erCY&y'!izJ:?Ժ]$@#^5OwQa/J\jVơ "e^i|yŦIɭf }9&CmV-{ϝVN!KG/n~ș0SCfi6l.0Qj2/#bʢ@=d7H* 'en1wYPPGĮo½L^69P[XؗC aAׅlj=W1޲>]2 NJN5hqO9sO(R\z`O^}r FfHJ,5y\.,ؔv~A0#%ѹ aGlX僯cDUO;YuSD^4~!efD: &W$)pRnD VGG='ﴟSVw2YtD[3|\TL>^(Κæ]%'Ʉ5M%Yĝ/hctӒ+ & |0d[M$q%NWg@d{ PcxŸ|y^ђ8VF^'m:z3Ph >!MrseهM©/)E&žF/$߆wdnj%k!?Ÿ35 l![ިRB22ٰkpơ] AY*$m' s\Ȟk?:40qc>I\GJ|%AGc{~}a:z6!TuوȇLΨM-⟷ܼg@9&giQO\ѯ9&K x3Nj2bk7`F= 4yNiR|Cv8"4ɂS;),>DH'(C~uy:yʷ9Qu~XvpUu{N2 > CB:玕l-~j&K[gx l#Ѩ~LH:A.:4 ќ ^|U0%0bMy\έ%^U̪N>Gۤ^U֣%>.-6=ii5ժO@b5nuim3L~NYA<ұxr-ъ{lK+ll̆F*L=@E&B1'> -D&׳)R}D["eФl;gփ{{qi7"pjiܰ95jqLz! KmJG,8n}wRK%J%l?3W[;3R@i%2||n;;ΌVGnaZݘ9s#ozaiB_ZMtޘA1͓W! F(_\DJ.U}Uy4>#Su$fp5yʞjhvshp# u!Eظ^UGIVQ i!E%+!(TLIZ,t62gf*EpYw|c]N_~YN8[wsЮz莉9:?>DZR, hm)+}mBA;y2cO!V/PSuXX·RHK-ŇTH_K$L|k35mijD1񣜀uxJȾQRw!mw2$)SY` WGΞ8prXRt sJX ?laKXVB>'$8+@G)VBj/Nļ2lІZ5`!N-LزSW;& OiM2`wk@OҢ8X2{,pXYUBO-Cw.tik?(?˝-4sc=,!|M#3X|CZ_>FHm0!>" |7{n*}C8KgoMs2gn % ?\uQ12*5rѸy *62)u@@y"E?3 %sARwZH轏p# )'#DdH½[ykWXoa_1zw sXO,vkMM!}-E ?Lj]Ӻ9C;J(n]|Cn]X}9O肠%'9|>Fg5-&@ibܨV)YƥhLH׍Ŷda"VhE}͂]WUhg / Qc*/DWloܹ2Zs#LoylN`Q9hW זPBv涥CPTJk ?Mo1I3 aԅ/%Ý;KFX{.tNPYҶ%; bNT4f/AvԁwAv5H7ܚ@#_?Y~Ĥ/v;W˙9.KptH0Qvz;fӊZdMp3R'Dum΂T'!9FLWϣgf}  q[[K[RZ~`E8=Azꮇ͞Kx 1KB-4njkU=eS=MIdBq ̯̬eɄW9}O^8޶}tRy.ҒVkVZ\m%% P\ yص&տ$NpÏ~tWbUjI‚u+bX'܅ j| wrnvfb8:RJRׂ/ƽ<#ovm2N6)t0jǢ0zt~c֓ZpT=0D&^#u/Lm9$c~ta'5HʦO ιyfl(]UZn! Pݝs#AbAޮ(: M̲˨-S=R`|X :YI,A.bkL5'de@B[Ğ[V8v=Z]Om%C޶iFymx(p]C<:@zD ۳(Z1??EedKsb͞ Tc5c1}Lse 8GH)wN0K/td% }϶BAʊԉH n'g'ŕJW]ġ̐"|p[WUBV?C.PB8*W3' _4'Rlաo3XP(]<`8üsE9Mݚb" - *2>9q2*NKkeUtq*<tF;퐷C%\.mYi8u7OykYe^JJF:hoOIBR7av70:_~ UtP.\⒔G6-)FZ~\cGJ4$f7ݚvus|Ԫhϻ zOTs+8]hh2t)1pB)+4W\d>5< 3=e[5҄@i]hTpKRW3J09LnU{I&md%'Pr6[nhh7f'+Cۛy/}dOLg'&3u[w FgбgY(~O;3jHyFmCIv7 ~/KPn׼`i>EXBIiι}7$iEl>_O5_Bq(f6n6mjnDQb=P"¸7ҿSEh߉r*6 ƽo?alaSCc!@,_ Q`wC.mNXNNTٱSVgXh,D&34zǻd`v^Y[X8:"c8_M{qVٮڒQ,&oɑ6EX;Ƽ** m짷@_*TkwDy5.&wE ~iq8oecsVcN-*miC2y᳕buN0N[Op{L*^CIi;'9z_&1uz15I{a 1 f};q3P#< $ |,u t2σnL<*T4 2Y]/V\!d wU$g}hFE qⱬ~cJz$;de6h8z\lI>KoM+ .D>!Ӗ4_Zq8/$rz Bm @G#cbK+8 zD3kr6Bn9-"#)RyFKA6>s߾V}莭*J_دybT hlW0ϗB]U_Ep`˵G|g]LF˧fCYrUl43M@EZ-yUAEFOL?HgE8F1};ެC"ۚz{Um)s|TQ!ٵeq ^d ӘN$A{AI E핹V.mS職ro(zJ@7?ӏeXܤ.VIJ= C%OR[N.[&:zӖ3OǏDžv"m!!CÄjX~ǿ@ Z7ѳi[\IO&LwhqɑYv>m;.YTo{4EDN+a蕣N5FUQ{9WgbsﯵdB-6gAOCm+U=GqpIn:`]TGnQO8yLjrT`TwA-HX׮Ƭ6$VA'R:1pfg IW…?bW󰺗-W\X4MZR6Nq=5ۍ -Ŵn$S)x(d/|)eb3L1e2蟍܉ y5vKZ׽?Y$ӑ_#-~.C_GъIɚr2":ϊJO% >["H[czjj׭=Z &0`eߎ= @F;)6#mBhT= A1P~c\7̨= 8 Q,Vea\(T44+Fq{7O?V3/yplr-0BWҤ8 jC}oU $[O$ fj!{jɵ-tŬNqT3'".⇬vxNy߽\SQ5lwi l~@8R|ĆV8U"M\F 1̙&#'TWŧmx4Nƶ|=>ZANjGFw䩾^@.i~-Rӗ2~\kZ]ُ!fX@)bOaAJ/~O;ao;^}E3P5 z>d\Etֆ6Ub@vwNp,$JLFܵ\S>AtU`n!ˍ{PEDCkRNZVP Oh&@? 6W*Nd7:9>@p&'Mrii:= |̽].ӲS6/X;*U;{J sM$CWo|Um-$BC_6^HN}# J;H.=>|z ;)%'9ʥ.b4E7 3^` ػB@` Dl1"zV-'UxRrhk^%L𞿨vkDבRdY'UaOB`tx?:¹E\o^gknop| j_AAU7SsX#lYFA'TH7 )X"NME+qiři3QVD7u(IBƃ.*dS|w^KҁLϼ3#v_H] RT9/ Ciadu+54r0l{ܹI0_e~mrfm&#T`(K.ðQ#7~∝ּ,'ie^ծO@cBB?֋`#BNΖ8k*-\q y+LʐQI"ozzB^urK߼x28>nua?4 ܷxn*h8#4ȗZ&wT8ls/ hQu, r=|,ti ֓L\BHmZ,J6BLy7;$9iڕMG\{B@݅u-xe 4+7I:!8y9,N ަ{w@<+,{3uYB>etfL RwxOJ]>z̰ͥd"ʋbO>q}Y(ŝΚYՎ%V͜4JQ55QQǭ",Ow\Du_? _/:/+8|< .AF˴^4Ы']假a+" ?s]`B7ZF"}5=㖰\O,;g8ȴf) 𴔧X!:(@qY@E{M /41{8 CW-tX˕e]dQn˟k̶C@L[ *E!>s( Lj_lTY,S ˯- 2M(yi?*#x"laY)JT8- 6 ?[YoSKe7LkU;a1DZJ!0vL,wpU:}is<-'av'=Qz0y ~;gE[FGMߵ9Wku|[݅d̓H V(F:PkFgfRc% 50=]YzKW3=0{]^`Nb_H7 1"4a5ĵ&:Ѐd<[ZttkŭY*pR; yJa Kp+릇Wkǔ {ymP#Ҡ$Ay/* a1lM=̜~v;ju ?.>.RZ^<)Ry׾K̛CC> prJC¹Zx-3 qV(U*\n `jq緬)2K _& v%etО׵G ONd3:J/_빗A i_ɜq 5Z|1JitǚǒKB)ZӐȮ˓wĬ_}5WF@:_/Xlb&ֈ]փloLs@GamvLݛ/ʥխ|X F G~Xtuw/[r̞t$2Qg>6is}bS5o#m^.ӗW;8]*"~A+0٘ kq (S."EHUZXrķ wmuv:Fnn|}8+4it ۰ 4Ă6[(1vPmLrv"-5{J"6e.zHT%@p l Yq }YF}Jp1T9(tac] C*O ͂˰:M +x&y ĩ)bS n\,VBM=&ݘU ik5֑I !Hd%:Tظ$P&~\ 0"Yufu 7(pB82Ok.)<[Ѷ}c +X#衢Ion3cv݌6~;`4/.Y?R8^3!ฝ4Ufs˟˫?#:b#|>!~HX9c…ԯU qt|3) / iifF¨!?BZ"&ͅix ys^f` 0pMĞ: }w#Ijxa&Sy7 ?* ܕ&@y \⼨Q+h^l?#<L[ڜ@};{qqQjl.օ3h; ?) :jg3BS0W{eT rF&NG5^ixډT Y}S883<);) ~t[۪8ElDroG{ۂk~ETajXz!^w""vG{>^>!dŘv V|3 Pm`,PPG;dg`@$v\3NjT2ʀ`U.VBRq͹beG88"wN4u,::P)rRrrq>Ch'.+~ZC*-+;#❺YLv5H"ZbҬ2I"pzwIØtj &i@v,8 -bǢn~?43NFqbYs -rGUFD<8z~W vMWqrx(dw k0^ž|\i낄W> F9E+\|d |*-IX?ݽ\W|3akz0*i# xRתyax.L5ljvt!v_ȏ :.PAz#?^v%ۯ V3YhonL) k8w}ANAW/Μ+Bp^U%2))C4wޕH.&bݎ>h.T5s^ZhjGD޹q4'u(CO8?Q hH0Rl F+pwd79#tkD۹"QXZꍁ?e K,H0Bu!CWSSio] CAt$x̵HN W4R_#|j9M;Ί>U2j=K.R۵Whპ3,įirBs \sr@0χq!?D[a 9$V9pNؔHF;M*1'hmk| WOQHZ` JoD]r.ϧ:Wz}bYIv~ T).3&V׏n1S`T@g6y[\h ڽ'T.${VSiix?jlcn2T endstream endobj 8618 0 obj << /Length1 2949 /Length2 21180 /Length3 0 /Length 22837 /Filter /FlateDecode >> stream xڌT ҍHwwwtCw4Hw) ] 9}kݻf-fs [eU3{  #3/@LAM̊HArHtr!!4vč] vYW ?A{'^ :#R;x:,,]~@mJ`K b t],`6U{S?&-]\xm,i K 4Jhl '5FD %o&؀Lv`W;3*#Pr-,=XY5/C MMmv~'! d:ظ;_׉m_D{︿cay, w^9~(؈37pgXQv \,.(mN ӟO$mr9*g!{xN whL]vz@S{S`w5" {{i4 N(4YN7"#hk+$O' am| Ufq NDԄ}}4[!d)]Q?b޹Ky.ۯ{X!Z=J/x"${΅-ƅ,F l<i4[ky 5Vn|r|<"kJoYEMfFg26N<3~ҜIx!͡ʹ˯S7XpX6C 1Q;6I-p9+\ *ysneUdJ\i8~Y؊Bq¾e2q%Q꨺ڡMJq#LJƽy>Reߟ]}3 VOy+c$vw# ͳ-8UXェkȌN{q>G|L՝>Sӌw*"0#5rsжY67kkC/l%߬e7v̧Ir q)<()D0ŬEIҁBjs|r%]I>jwX\ y,rxl )>7~{їYehʧ,!-&YϴDPfFhy41>3烥'Qp?1 \R{*28&~OGT͊$9N9>1F}mZ6%Eb*KGa䙏,}$ TRzq >DAѲXv3嶰u py{ϰ|hfJ)M6\v{.i^Ϊucn0Ν)n$WF?,+dz7f+B~qdeC)EC?Dʻ4vn ŽYu_I-r96CS:5ٽK|+Y/:_b?iԓM( Ur\e( dڇ>Lဇ)>e[aX0QlTYc'C!;H㟝Fվ$ATwCj:woO4z9,(5ڲ4ERS)c"*/cfa7 fq@UBB-SҺS!OkTV ˆ;OnQ4!CzmGqÐ8|/6o1"GNَ ɘɺ#} #@){`AQV_ uyvA! Gќ4#mG v['hn[=)uʹțig]"#!:RN/>UFb.\H%0߃9)3OAC|pKCĪ#^0GFA;Jo˟>I0pr1K?^>NzUUe}1mՄف8xFBKpbZfN[75:>xa%',#Kɾx15gJSuXH_R,.؊A,xϵ]-ﰁwAC}h=|f_(f.ج4\ۣ#Q0'Uγ"ed9XwⱓeCX!ԭu:,a.e"nOߍ[(*om- cȧ3<acOs7֚OOMO5CP5Caٵ(NODein ?×,h!)񼬠sGzJR>on" vGVz+&T<z 7w6H#0;$N|9HBs9GIXZCA äeROdwBe:|WF|P=T"#/\$_} ŸVR5 R/nY$ 5$.۬Om#*'jוF0˕EH HaZŔ *C'KXC!8a.,i)DZD̃nR17^5+DBk1Czulsc7>hoXv8;k5 R=z|5wWD c%Իč]1,4p"ȾM+bt4^@v='?&@' ef'욈NM?.rJMlI#! nÙoV{hMa屼FoMCq!#hMPze' B|4HV !O9ݮ\ M"@ FNN(2p+YTU`@i 1)譼[䅍֕NCZRJ"$G:#5/byy!c4T*EcWAG^+ N;U͡.҉jkbOSd%iǝ}X-͢NMTɻ_ (e.fq2 L39&/ǬDsf&^T]ü{Sƚ" extOPEjWؐ%8v-Sޏ _帼|U~\a3]E[k[|} ͗&y:iOguf+~w'9A~8=]lmjv.U/oYSkeW~K}wE^2oՂZ"Ug KNE! Nw(%{ӇoNSV鳶@EaF%}mh ~m^kmb¡ڟB r6m]C'9|%Lu[2 "4>6|σk `W9"%)n+fibM^|y2TE=3Z3ܥXLR,(WÁbhh.ԻxI%}GhѪ2q4$c.)_chhN{)'tςOSwaWNMR ~Gpr;s=[!cw-IXB\ĩ+ Zc_vB>\~w< pd,W$+KDEt|vWWYwDS,XrabP""[A7l>"^7Kңi9G4~/XY&]JB}|ع*aCHs4|d8EC%iAQEN V 65J J-ӑ#ć> D7$ 7M֜/eTCWC| q$%E $}˸qQimoEG;bl Gא쯉p]嚃U&uˈ>_)K@m/'!k ޢtnJE{Z07U'+dTGDeԚܮ0$*n6>SfGw3Nݼ.2.˗F%CR۴6r jc lb^ |vH=1?T%]3!u pΜTڇ9;0gC>iC]Ag>IKY,7tXZԀEf)m(:$]I%Yk2ts`[Ɓ5}:W’/y~gRsK'hyi#PܘBiKFLFpŨ;G {1j&~]>M}c'yk`zbJ87ޝ~6*905",soAtŖ3H$~QNu_z`/ZP5i4< %QP]B펪NO'1J 2[v^~;ѸoJ)ƨvr}u~^Jjrc7JWɶ.\(  ?UVq[K#kjUVhΊ&&ǧ6Fg^DGk.8ao^a=W~5=^!jGr8c&ߑәjnk-8^ ?_O@\ OZwk 2 tiJM#<.[8k.| ~D@4YHGld03B)X5ᄹ8-pr nO5c2CૹAeLZXoPMUNJR^K%˱i.x[GBL.ߋ GQgE|V0ibZ𓐒~>T*4m鳔nyY?6ebrGK ^FIA,Hu,5Ћ7PA~|/3ߐ cVc,jV:k+ߌ%i!OJ*)wv<|v,5s]KS>M0ͦ-e9]yDzMݟ_hO;5 7\Vol3Ӡ6Rtaz`:}-!.n ݹm7 UG"qkj{f]tׅE^y--`OJQi.3]gŊ4au\Q)2Bk(Qϥ׶Ki ۤE4 pSq*~TM>:<_5ۃf ?$,AOk >mJZkٝ㎲|b~9/VcBb@~]v"a4srVA1FP lb,3Z-VN%gHo*`VM὏:kFm>ԪnQc׶|ۆ\jKTdǦ񼙖#(YlK(m&B(NK,|#ek*L ݥl;Ϣ+tWZ"?B&`S<^`ǑZb]9|E+JU^Z58*lTpחZj6}gRKw85-shw T[w7/M/2}ue.M$0rÏM)Z\;YX^vvaqWĚq2?͌ CZq>p×zI _{eGbUdM3ufNqķVc#s|g&:ǴZW r\k_mcqV|boHj&2T-,gG6 `I[ygZnB(~L>b~e"6䧕cWi*se5NVVI(TF%t@^y1(V~|rV#`-,w-ʯb.igA%Z4 ѳ=gw| .bh * &n.tRCr8nŅKfnEj+xk͘ANWu]N  vfs=̜_Y^ɧݹ/Ȑ]]: ٓڇu΍`IyE\J2gy46϶KUݮ@NVD@5[֊s}OXWOqh8HM]W=C?\ M@1>T͕fZlK*jP+V~Eϕp>U P:1E@N"U\3?SJ\ x0\m8>b]܍{>jk5%}N&3ظq5gŘ.AYrFDPy:]፫c_RIOB%wVl'C0j.LOxᾬXpҧӒ*c܁_zךU_3 6ޭNbi\8 V%9;f,kwI贈bFöyG'w!R0 kn?!+LBBֵۂq4A25$_xK>WE3߈HV/0G3H3`F؏Uq=gFcI1Û2 1hFGw*-ݛ$(bn5mgyk[q)!1\+*\"*n52Tf[^jhg+F 3Kežr98H{ \[йWF1hCp+E zRȆ8<,~6Aavޯϟq^а#a$N5^2CAI;Y#y-_>9ҩcV%t*ʣPk&?~GJB.vHSOUgoSmRDa՚\#x&[_D_Jc=`4e˯ͬEKDPœ+E3]eE){4{ۉH:8AF^&FB!}"{QO#hBfs_+/.F-&\[us| oTtѭďkƃKB}`g׭'+굱6aI`$ieS [֫*z}!7ڦbkOBSDN° %7 nY~{Jt0_DؒGxrsͩfCF&2:%6$|қӲTebDz $V p2p/?pXs!g(*`IA2y!}[u1tI!ye?'N Y6uN<7qRW)w0L-cvɤ$'\zU?8(]RڷtR2(C;5cXV㢘GY:juR>t% 7 o]RW%svbT!oG5xUL۝;1m#AymX{W|'a8O BLc^jV5\] #֫hZM^rcOB[3 NIu .< #%U }[]hk ^) "8a-ۻ5խw# Hs0׍9}Tm:*P1cY]ҴKɑݷ uOZnr?>7W,w7ɮ[_w):8 V!Kg0I``\E'}S;$Ag,-%I2GĞi= TGT1`_:4zk վVӜGqW[[NΏtUcgbbg\vsS.޹kVPL>EXQ+ 9QG-Q ;ihDH -ϻT-H?q_j6j]ؼ?+ݦR?z8Ԙ` 1CRDV K&ӑ'?>Kp^nBI"t{3z7HNGc`q\(vzp2j{p^:ґ}O!-M㺷/Z䑊h'Piy3CdbrUS8(P:i'MYvk ̀**`m/lyT)LTPsH/ј&~=F  ჟH?ҀFKs oV[eM>pX!n-"5GgA z "RՆY`oї( 4j=bs*@6Gt~٣9iԓq34$ϒSw̡]=S/״BDBD@>{W,14:(j E9\ɄL^aSr\ xKRn{xoց 8ip:sfu=q{׉Tb `HL G{y][و )Hf)7VX,v& Co'_6C*_jt˽v+Zsl58vNPUf3Om 3 rv"~0x%uU"!Z>ޭu@P:oRsΦ۫ UCj(v݅hQ]-;<^{rTC;wg;w/:ö-F Ȗv9+֚#b^ZY^BZcGݟP9-&Ϫ5Ҥe 3Ƶ<}fٴ**-;=t&hM?W(I$&B k2@H]:U jbc"_x淦+v,%wh0 UCf҆F|BegXj*Owԫoػ1lYSp*6q( 5XZqN_JJ2tT4j $%ElD=>v<֪Zlf+&ai`Bo(1QEP멐ŌގV#n X9ʩk:*J*4TP9SݘW}xZ^ڒ㧨eK9o e=v?n*LU( %EIdJ́sj#U+g Ue<^\uh) lR.[{tmڳ&!#qa OlF ,a *(VIA,&=b(5`sڅ Tn]n dWEe0dc1sjvf,%{A, eg)M]wReγۼמV"xM36@{(? blla7~;)`j!~{; 08ܚyz7GxcxM { Vm|wC? `$hsLǃ 3vϖ`@~kI_cD9H\]uvC.z8:Nɒ /LwkK7K?O蛅|&Lՙ]Xo)s`8el1M/V30?;l\?UPW=LJ{>fFwi3G鏐u} IL@ #u婧1^"mܲj=a r=J)ܱ)rQk;WHLLo NDs4 ,L+s9$:"v? ~ Ɲ܉::N섘 ZE\vp_$pHJ{y~t$g%iّnbk$=Y0DJ3dȒg?Ci觇7'J Dk0[+o $/L6DD音4ϖ.y9}mӓdeݯ[aZ,Ew A #6'q@)CIQx)%X ipnott>f_`󮎜YoŔW#9ԫo.Ɏ(.a+= 1*beyb)Vܗc7(*N_Ks`P <:乞\":G>ůJnqzcX\5R/,;Iͼ eBg ܏v6QcÄ{ET_@x)>'\=oJiZ|DWc ~O%R| mr4NnC?hbbC[ :56z=2X\V":1AU]'bܢ5V%-"Wx EK7.&χȺ֍~v;zˢߪuk zß(?_k~Vv(sGh3cj_v+0bȧ1sǡ|֠&nmztÀh7p\+^g8e;,kB^S.G;/?K } , IzG4v@ndq)7*T stwjyӂoL5*D&s闣oQ$-Pl= ۖXr$M+.[y=U7;9OI}㨟ѳzd{?2mn5!W 5a?!~Cv 8XEɘu 8i++ Gա%:ɏ*)&Jl?zƊp*dD"h^FR"}>9c27:Un$?XO"R}aH&*b ax4[+)7lȖ]@JS({իA)T6`Y^OU&&\2#I/ɈQ y1 ߨtlL0p)Vs3dSpH u'^Yfһg0a=6BЙ=O&}/)hDZwZwںmPXd"Ʋ 6xpj&>}ɨv:Iby jXLh>?q3W"q˽~c~=T75Y֣}1b''u庝sمf׌M]ZNWw/_iqdPM)@pAh ZE cJA!j]?>lڷdn[ ">'vŹN4Ӭ& g`L{.(F4n ?&-N;={5=Hkqc!ͯSn d0ϸ].|nxF^b5B3pU*c/3V(O/wx1%%΁)5Q=i3 )YOSR=y1?$ݽv} l ٙuTHl0J] Qڟ E`m쮕,҆́}HR&Xۥm5n>%?roK NqJ-0Z+}o[O76篽I['bIi.-NgFX*|slv4kZH6ƃ"L3/ﯣ/+\0EOFR)!RJ4C8d|cȠZ!HFE bI!g,-z#qc+Xb;dC3 /nyIو̄7mhu 2'R+~!W9zf4q7U>do3I{VPkq2ʈXb 8C\|$V뾛ڍS$Yi͒ ݕ߄rma۫&oI#j|Xxaf~zO9efP$n &Oɷ nf22NjXXջXܑd][\E|CWV4Lb]7X81|n19DmRv7 0t\AգS0n˜&@ b'H,|far_∓hG2БGY%D$ ^|8@=*5|*Kn!lSQ97z:&v0@J4ymmSAgErP[ezX;Y}OR]¦._Q8 hZ"{ `3f|cf7Nnjʄ͔,p3ǁ`EвE&];r@K˹z{+F0_է=4`Cخx`l[n?0?[A-ل oQ5%hR);W xң#5X^@mO50FCpqsZC"ZD PWt,Jh쀢Ia˧E!se`G(z/j h?Bp:©i.p>-{#ӔF6ڤdO8x[f[ar2"z8~ؤ0[l }&8or :ރn&",6`g4rI3KVjΪ`f<ԣ>?z/7+;Rl{JŮc`ya8cgh7߾biR&qFoMDXMsΦ@nѾq׭kDhEeu2~wQW_|?í{6Aq( 9U<\5ЄӂaU*r*ABd uk*l*+.n/+f, Uí uiFK~r醚eӀp4T£GSd?I$ʴ#|3ZeSw-σXK(}+i51iM6w'}}ͰB^w1@z lKȋMxz *@~4!w9֐y@X@",^Le4Āl㱄< &NnkYrEM\( loΊt\2 b~Xd'Rwn~`8b`#LsN;zMgKOQfU|XnWW[dL2E&\aB(b"<' 4[0P7&LRh}/J;;/'w`O3S*QmGri,"'vֲs*un?G7g0sz ɑͮѲ]#GO69q Sf=%,:֣X+A0OT%Oj:!C@ԁ!;jTYLl!Q%H{\fjYt{ֵ:G /PZ TViYqflۯ~+LVdLNc< F<\f% $ڭ7 ds$vq P-Å9>gҳ8IYrNgPM% ׼枔)zO%@n~١Uy,.zT:G"-'Mg՛"/ Wۥ``v8?l1%q])ߩ=CpY̓3A$cy\`D䯝[6pk֣Ըל+e {KAt[eЯ,1/{%W^N(1il͎M]r.{)u&T?Ə-Ӷ>#)e*X s ,}.E+/pY#?Id „ J1`q+]Cҿur0Ogܟ][Џ*݀v yN.MLgzZZn]2Omp7%AK,~ӛN4TyǓ"54B3Ƀ\rqUJ&=g.r#W`{>Kl6Lr8s&;FVɻ7 $`,욐1F' "WcQb9í@z͏9g\<b?m?FW K5υFc]]GVGk]^BO7&b@=W1KQvl[4AM><ΓԮ ՙEG7YJ!EXտ.'G4˄:HA!eb3仱m%!% ǛB|3 ^j&L]/NyٽĆrcd3%<8n7b6H%8 8S?;;S}݀F7,Nm$'q)e<Ʋ* C\8陒gkyӪ放Ap,Y&3.1;V8^02;<2ť*ۄՁ 7,)bpSV;eMÆ!#$da6@3 Z ɤG}a~v`)+Yyb`j2jU M|Y\ޛ.8!j@2l3c~֙` ]ES2¦1-y?oY g KWp*^j;dمa] ^N&aDv5M~_#b$؎5\spF ;c)54nAc fݠ&Ys)!_Vz/LV8Y9PwV(<'%H嗧=:M pJSVLŜoӮGK؝\D pcs@ZK"x,""@~|xE6lߝO+ˆ!yX1Ŭ!@ o]w0{P9Ux2Uo7)r3QÑ> Np7?[H(Q d{D/ڦ]TL|wTt/"ӕ1N1wߞ#=7PWWD 7;Jja}N$Fe2ɚGjR\#?tҺH+̠[X  &^l!IL_z)JVɽ{8QK{P;Jv#6ZMGSe]zMB ߐD5hDZ!8cϷDc;[/;i6ufB־L`N;c`~.?&`[RhZFZb ;NqH10),"Y`OcDǒx4?󪄲 W ­_w3E֥Tkh|42u.jOo;fscIk\XMiT~Cv̀Hx\_n歝Ä@bA ^!UIQ-6lrRй' @{VQky7b$VB/POϱD4'/d83-w͐3ݚ^G rM CQH"P-b]fnĆ3II6iw_7TĭЯ=O-[@\҂ ޛ.^h5n HÎv.7-[6/eJ!Y;[":~ՆDXљo#$-лۧ[ÿ!i2%wj)%cQL}ւw,B\%2蜭]2 cvRz0]HV8S ~3)+$~*6IEO$i6,i1:!~u%PE*LS@tYCifaȦ#b~9f^RA9۰U_SU7D^`@ewiӺx# endstream endobj 8620 0 obj << /Length1 2133 /Length2 8843 /Length3 0 /Length 10098 /Filter /FlateDecode >> stream xڍ4kDD!zQGm.Qf&:EDoѻDIkt!❜s#}k%m (aH. 7(@V]Wafօ"!Yaև \pZ#Qp@Dyy|"q#Dr`w5@A\qe^??lV_N v'TF+#@n +, vr#lsv2[,#`g<K[MyyPזH/;; oݐP&Wb us_2i uUzBAP_9s +jPOWTKef3ìֿO @pxQ'(xDM5&pH: Jx/MO<2$%a-x%!^-<ć[(*-*-iK¨|[BӺ%T>[Bӹ%-j׻%TvIE[Bi%X(5?%_Mp7v@?DI(U Jt@.Pf2[3bQ 0 J(i'֭ykF%G! Q ̓U*r#*Dq|hCeQ%zߖ Af @Xz?[ XĂk.i<"NSohʊ8Ϗcd담HQ6Lo/>H\vt[ìm)W\ŲYb mtv 4{JoMJj sؚĭq.ܯ|k bk7+c[9zV(U*Ga!ñYl>RA=i+0h~~^5fX܋\g,źoCǨѣΡ圫EILKT^Wyysy9w M~Gx>PeNʚ tC0rjzHD=&*}ZIJbj>q?W,# Lt81KK) I'w됝Cذ3-_N^}n jčY+U4>a&y6uDלeGgD q"faZh)ʺ2ki#i&U  Y8 Iv Y$5>ch)"JѮ~p}R8vZIM96K _UIrAq#@WN>;O', TB-I_s}tK9T'x8&>R\el'Ϲw%'M7 :~=Ն嫨`AM;T&\mWη֙k<_x3vḓW;jNTnw|N"uk Qu3ԓ/\֒s _2dTO%GIl܍$C3 /Y垱q1{wzR`∻_ǃOZ;dAI5^ r~J8vTFeM=C{8~AXdI{I锂 k͵W0'*Q>2R8O Ґȥ2Ӭ@j_3L 89'!/3͑SS"j2 l&VSʼݗ3(_"~\pn   "-VfX>b0u ֑OT_,]0Q(8V0<y~:J*=HL|0">kC6@Jw6/mV ]@IXۆM昰gi#TP}7l7E6g969܈TOeb ^Q&=X!\~+l4t}t%Ӷ44VM/)F*xrueЗ4ȾlѲjE%2پ {SEųCah9 6$3ƟWbPlAk:W+?QB%TubXɩø`͟=;33V@x9GXy|Yɏ5J |;z t=X|%vu g=ϻG%׉+09?nŅbũKk" ;PwEUK꼚wtc1@G Z(AsPJ:38t28Q1 -қ@m+Q_7c4cZFfrYk'||5/kC%ycIXx9IO{{j%Qm6eW!+!? (aO<0^g$uGkyM-^!z* Y{G,d#6l~V7ҥijѿUSvhv o}9CY~(e)ue/\#9KUvӁ֏)iQ5axeg~]>:8pHލ0 yYp֦[IbKz0oXT%3^9U%7;0I+|Zț/p(w&Rgbu99cGU%N/pyrR#G4Z Fru5 d|6RL2 ;oHspv2Eg=H-oюX 'SW=_>Tݕ >PsPg|k,${70U2%C ղ|gahv3T@l0$E#( D*J&Eyӧ_f\ ZliAV<5X&Y`ѫL~uזꀔF{ZRf:y_N?L(9nΩ rg eGa*{]3D`t\N1:Q PX rh]c$J{!#ejn7o\yr] QE8{xpJv5N5WQ%Ǫ`D,o::hfOtp5FAA1A{t:˒$ $34N<|'hkMQ,$(Q9\jp_,Oݼ7|a\ б<  $>eo .E=zd,S ֟g- TyZ*AQ"<%zJ3)Z4M ,^3kL+Up#C>PæWgo<5nvX&MZʄuϱeʵr u+F AFP th^X.J)'Z '1&V-%v:{߱pH[P ԭ |[ +Ɇbzw<=9`758`uy*dݘ>9,<;ӢtD}b uxoސH;Rt@{ A`vJSDx#~I hרUd#K"z0= ޺;=8utq9V}W_Z]v;{&"{q*HF,9thH -F+FA6V-! :Kj-U7V MLPjo:`<fxLO>ٶ?[\ SpD4E9m_4*;F a/K^6tԲva{6~1"zE2% ܾcA,)LdMK7BAӳʹmh3y-,*6XNj V2]2s&q`I0~-s ̱*.[pɚ]kΜtr+Obl?e֥i8".đFOBܐwyce/sR< "wdvMKŪ9јQ;o3M c$./_z-0]Rݲi>gHJoȮN sl zʗY=^|[t"H} ڱRzd2(N|h63 %FAN_bWt :(^*n,U-.ėA$ϯݳGkɕ Bv!(җǼX'S,bfY#:v,8z')-qx¼y$WHK_\pNϕ6A}B7l~]dBH&"K?)o5ΌeWH'{_֛|Nn$Y5;hxhԧޜ/UR%{@Ey\.]^cMteY<G^ratV 4yl/n7 X4e'}Y2$mWAS\ِHb,8Y%Gr=i#tV܈C̈Z1 Г&GUM_exSÍt 9>4ߦ3Dĸ, S.7#- \1!TN\=/(|fJ m:Ⱥb>L$#g\Wb?Jn-fzZfH$a3`w21ń]T7Xqro`~OmS[Nz.͛0X&S؉B‡ ,)Wq,LSʞ]|#ĨpݾJMv,nFnXϯϑqom*vUJjǠ;aoƵh-CƏ|$(Mev,k#ۘJnAmɈQ@K=ٓ܄QwfS~ !l?^J;5u:2'q dIVNڱ4+XB0(*Ly:WuUH( '30ghe3_#lC)-tT GsOV% 5ڛ˖3JF",OF]zX@g9O7΁zLЬkLEo?>-'6\q)?4.COvuLMH=&3K& bLtF&#mޚBqrE8K+NcUI1,2;x:uezՄ .Gփv_]q(RxcdCl׍(Ӕ7NpXD*_)x7(erM*[ ͼ˂n \R;}x 9b&Q.d2m\xah|tpҼofh]8uIǺ#:x.ynEf䩪TP FxI#u.:z2a7< {e苔.31D-pm(f ]ƢLyo+x)cי}$< ?UFrwx8MXdt W L!IjNaCxsJё#8'inOq H2PPU}Wa 5i-7ޝ+Eu8+y%(sd[dΫmGGܜht~k|3ߏ~^ـkxh)ߞF?+oA +:~^w|@|sَtݑs rhN=Bw2k% XJ0ZMzү$8/~Ucv@gƤ2 ^=1'JWwt?:&qyըUyU>D)9\۲VxEB-wzq6D_F<qW3UM9;+c쫲ATאB8:0h0w| m8nMعT8)5~Cuᾡ2Ć8r-Uw2,Jz~DJc= 2lxQXZ˜Mo\dy] rMị *x6ikĕEu7^ endstream endobj 8622 0 obj << /Length1 1468 /Length2 7021 /Length3 0 /Length 8015 /Filter /FlateDecode >> stream xڍTTm6L %!)p@@FCRbbnABB@S))VKiDJ$?}y[gs}_fcᖱBZ@7XS`0Ʀ CAlzPg!_9g(u퓇qjH >aq>q0D:W ;bitp <`<(wAXB.|+X\~we5X:Q.<.0/\JE\@9C-݃#n k +# U r㳁!0,*@-k>^HGf \ P匆xwY jǾ>|g;` gr-/+$hrawLVxq  ? ,& &W2H@Oכ~]:{ZkB{H)Xly?}6/dѨk!P}蟑UZUFA@a{a.0w& ei[O~j"]` \Y_.z^ͿWT@X"~0qvx2 [/NHgЯx!\,QoZmпMA!2qV9/.QD;;_o]BݡOHK w'odݸ8>97OI9*e{oέ(;aPt}n=0U6^=vfc,'(fʼn[{uWl5 aQ'O^e[Oа@q3's'?:#bz َ2Z99_JJkDÀ}D?%zʫ bQj*1hٓ2=gV/O.0\ِBu{g8bO^~ Uj9ިԐilLq {a'!y^k>ᇬJ&(7/G4FKғM>mI$b;2wN%Jl<_, R83Fcr9i9XLOj)XR_vn9ՋgS$wLlx&Nɺ(3q/$uSUK1Ө$du4cxskb}q,yf/ƞbhYPO$t lUY4fw(G?y4Rr YEn4޿$Siy5ڲ{h3b*kSÝw'&qGkOY}crj>ˉJGyҝ¼%RF>ǪAf;VbĮ>E٧Oe1.[ !eA=DཋN׾ی<5eƻgi8_Gmra;P֏=KOxa| unhEBO[!m &+O0` ̙DfKfU{ wr0+Cj+]t׸U;1],fgo3 :7b/n Mw/jF`FTY?ZVxP^9)Ȗ fRWP8HXs/u >$ߍx,R(":^B)W٣>lNaAMB&N^<Ȧ=\2|*H͙эzmMưިxuWid@YL(=A~hoI*8[~5FR*qg&\7zո32-V%ogE7x\7H+q'q˅~tW$F~ ˣ܍Uˠ ,#ߘڗ2ݛgQ'b lwv3;ÕW&Ej]i`uTοt)6΅Rf3SAc;d1Bc6<,_~\wǵH"zt$w6~TfZM ˟]$y%#rv G= zf2v' tCm f^Cl]&*3bM(ØP+q4 q!]͊.'*{~݇ J}$qI峼sn;Va$J9Yn6K͇|_rN(;} 9-z__ ouTxC e`Oѧ8n~Na7q'UhVV2ޛC~3iJY|%x`f=˶#n ʣsjR] qbO! bb…;OAF*F_r\s}Qݛγ-~YǪuKR̝0\CDZu21Ȭ fWM|(.k;*%/_?/'꽱Zy_0eeUPw]io^>%X!䵭0!'m)mr.3?wxJ:8 5tsiUض38 y,kbZV R=ͱ^A*b)$(6"MV|%4ij1 mB(43֥0ʳ#1 Ƽ/M6> ϪxrL/2#htHQ6>h.`e;\Eehxr h30NLc]鱕FFkQI nx9$r ñ2.g= |ѰJg7oYxUm.QkLU9.gl Kx"bkФ`6Aê9'H:4G) rPI>6alo܇M _AA\kjmXjcZvJm÷!{nl% Md9 Dè W=)7lVtY#77&@E h+D{#ϤbcPS y 8,M~8*.ͤ1# ;mVàV.|ȕ_T [LɪBpkDϬڷkO3Uy6"1jH65j(+Bn}yӱs.$b@{CU:{\161^G%]ëa>`VQ酦b㺉{t{>2s7/sWEɵI@X:M<KFyQ6T/'\ܖt#K /8>GC  z0nu'6ʌŮ!x>gqt{o/=?|0^[ÊSX7pE};nxKX5 ndMOvn?^>"U'K[vA ҡ^&x@˾u,pHxQۅڎࠞ$7ieM QE)q蔓|brU>K &-oqh4Dw}1O%\T@ Ew<-{-*~8Ą"&}ID ^؈zKߏ!I X%#!P,‹T-Ġ|:rK'lDaGL\j7Ç4R'uDѹfA$^i3wazCioM2ߨZ?Br t|'IU>iT:?wۨ"Buvx R|,Y3Mk*\Q)%Cy껚:hYk*VocuRn`z=k dP] 6WxJŠwkQ^ )f)G+22Sd)ɹ8H췜͈];kDH.7bnscuvnjqF٧@ǯYHu31䌁f>oDYցLe,VZxʐIx%~%RL$sPLpf wKD' 1 Uu'cm5mWfj$p*oZ ``m"OG )8w0uHv1;E.4~'ʭoKޗZ&AQt\KNOCE-N]pђ9ʨ>-զ 4wq]M),s¤EvGf%UiGUjT`ScY^1T ctkoTd6ѿ{h(}FbP!U\Tc1&!cN 4DK-Eqr5yxyWjs ٰs.*fǫcwsey7Bᴄam߇%D07Lcu M45ǷG07Z&'y2J;-tepgJ4/_ U@]8ζZJgxX˜Ѹhgdzw8̶{>J qԀD5$; _ϡ @j&{^6g9æy};Zy#vz|׭Tv7UL?1/Fc\2+r!iޤl^VK]WecUVbL b7%Z$Ԡ N,CSp,h/6-Ld[Gc8k18꽱 A{ZJ2~2vjQC51pVK S?b*Ī8AO@ۊG 8( 2 'D~/+a>%O-3Tj˔7?`v8+McN7rTHQ; Oq2wώ $mRX7S)HDUs+؜ b+VK yggvgGAߞ:25Ճ +g׀x%RAL@ tye$d݌DE>=$2ܟ]Eހv=TЇN uEgXEy!.Te $ RJӏgQL5gsz \{йʏVϱ-:NhVY=\-9IcGQU,waFD(ٜ+5k],S;XZDGEޚ択.Wuՠm'2on 2ZW]iރgktO n_>&4<'XՏɦ'U/F1v۩Y ֲd0zd[aU.^W6MP:hoWhGY } 𫬵t܃%+) l}iJS]2KRBI Btx=/c> stream xڍS Th -i-LX dJ2!1TWi(UKUybIXy䜛~w盉K#dt&!,C < xzN:8Rђ4%|ڢ1EJh (`!"D a@Z#ј r{"@pV7-!,/$Q*-8/LE*!X |E28vR/CZDcL!{Scc(o%@ 0b5G٣Aϣh Z1$H+XE:+=.*&t˅B8|pcck`jh=kĦY?}\^ЖO0k4Db!߿>S [_8}KC^s K#.nIu@uZ^^/ uDRk\{wNtD'~E.{Wg7 So4Gs"(s pXs8+t>G/mO#Q}fW ҾB!4V̽?k~ӝԮgM?tzȱİ"WWSśzo^CGa1n?T|oE4/q(>IE59tlnYIfYTw\[ŭ:µKr &=o ]~!I kR/%2n]ԺMWA8p=wUCrW虷W<]{(^jw<_Gm^s_Z߲bu{a/:Xh6Q`xot:nJ͵*8,rئ~uv$bfIKwxWaVR<ڎ]o,&mOl5ԕmq#m˶3)y^N M?p*k񥪸'V[gcع[ӊ|Ze@WGMVWm1ɏgpGѷF'[J-2/Fbu^_Y,FȻwJ実eL;+کI`oju~XM:\RQ+`dTeiitJg|;|*,(u46fwoIHe:F/n׾Y 귖]+:rۛQ!7[=Pj:P|Ƶv_$@d*M;{׆8<@?Zx":w 8\y:Si ? ^;gvm{uȼgU+7*RV endstream endobj 8626 0 obj << /Length1 721 /Length2 7232 /Length3 0 /Length 7819 /Filter /FlateDecode >> stream xmweP[-N-www܂ 00 AwNI%9sVt^]{]cfPÐ>n`~n~> 6?0GY!!p `7@wA@6;A1dq p( +W<O?M`08@`.L]GcPBZ;0p#fK`a+@[P^EWkZjaH?l"(*`Cl._`{OKy`!; \6E'h@ B>_0ԑ?>8Px@?m=~?ܨ=#ʚ-ees x B] lϿb& $ k=,p BG'!6,/ ]I:4+ T.(1G8 :[?>5§c+~~Zob.d*s \˻ :0r88A--9F2*5܋UlJZ1V?,LT-YIDNole7rC񏙩K߸}3;fk_i"-7 F'T31<)#>{vP+B*\pJh_ p0h1.)xQl)431]D̎R '8渆.p虹mԁ6~M m Ji Sh+!%.0~i&™֘}FجQrqUڴQ8VTPmN"Vj' 6_o"xrƋk%Խmض,Wڸs(y@})3r|nR0P#M>{)&`V _ɳ>J[S{[vQ\xf|l}M%CpAo>I}B}޴fbZmk֐fy =@c3uΠx|{1V]ܕowbhWR XBzyAC23`eM ׆pl5S9Vk[KZX;6F:]}jYNam|ͺ$Aho™8qޠ zSߐ~{umh whv#cR7ǏIxȏ0s%P{BZ ]9Ne6Z:,OUX_2W4{o}eM n>2 Ftep Ԥu|GvIyb%CMf|>jrEN)&(gx۶ w"צEo%f4ZN0>PAmVuVb&F,p+:ƦB&]=gBD1rZC5˷_ qO;O;b}]Kc,βg@J,mm(u[bj¶/{g\ȍ- KvO/ ){: h=pU4-D}*e Ӈ -XiL];^YO?г E%1-o]6RJJzM%MQGОܛ*oRЧ*oO0HyY}3ܮZĩ[K˺V45DS=x~p,- |:䝨@gϤ+,"jfˤniP'x s܂?Џ?LPu{w|0 m2 {KyъCJB>re7[c{&CUvb{SJzwsOޣaD|Q|'pq U%"̪#:{ jn:L ϮC^)7E5g{tL]=(-=8‚w6M}J[V(OYiLtH9Ǧ8iO*Ɩ$'Tzjz}$ce_{TW;%Қ.h@+V6ܛswA vh (?xlIg)mpoex q9$/8?|#X53Lܪ݆ϥ..|n+M*)*ΦmSH9Ţ;dU,hJ]1c YM h&/Ҋ!V WZ$^ 1Џ7h"3ȏ`x> .%;f'JMj:[ ^@J+k&ӯƹc[f8UA&ܐ3'a|JP.iΎsȔe2d r"\}'?=UtrK ׄ怙v#l/9Xlxe.<l`%ޅvR4Je(,&mn4vXq\%.?>޽&rKC=n>M@.g;+J`XMI{bYBٴw:߷2~Ď &i3<1tS+w~`>7An?9f["s{+EAרP녔GX~~|Tzax2KZ^XTD<,Q+ӘhC'C&|8QEKO`5CU4 4ӤÓAVnHuZC*h>S+X9aj'*>5#._s sfߌjY ;[N`WshbXiVzŁBn;ob>;;hl9Զ'뮠]l=@H&} u#/6SPz 0MNk619Baw/ ,{ƝU)&>BR$ qU#8'#Sz/)LhԀsXQ:dMffYa`QOܵ)"\ZƗa΄S7}DM~q"g߂$@Ԇ?r~[ђ*`X$d( ^hypVC9/5V_("g_vdٴ ZgϏo߅ P)$iBsOjo')}:۫]JZK_ _v K (#?ȀFEC%wj),IyS3%1f۲hëy)h126Rh]yw8etr]{GК~qѺAz;N.8s7)ΫȢq?Û=]oc~H ?Tiz 3e.0F<Xcհ1HP>2"aWPqm@չ8㧣kGˠ^oF͈r-w`%dNd|ygVO~*H9z3OH+CVP n(3. ~'׸SozXU:yFJ/2񏮖Ji?1gGR $ qe})цɟxtF 1c~vh9Tw~Q"oft',H2Xa'Jirf:#mWiG3bEkOL_,7ŭm1j\l,:ݭY\VM |"d2A uu/xJV 'ugG{],S+m:i,";tq^;f],̶eAkTGR o{osءS'$v5PQ1TO?躽(*$c RiV~ɟj'Pc2ESRnїT"J5{W LV cӋnenI,(f3aVp]>~ JʹVIDeS(W$L\aGLm>VyUqW!cfb}2 |{&Q, 4ʴ ]b2K5Y|Q&`h!av) :"R!G6d8Lhy?)'WY^ш@Zwӿ'oCQ՚v505߷5sʗbU퓙b%iP]B;4%al*̈04AJU& 멨7`\N2tkme.Svhn] .ihRX(H\ŵM` JN%u{J+T<}9FT!WEMX;{Tƻ?@*Ȏj&63m-SF_ v[mIؾr!SG7gL#R2"ऻE7k~4EIkiϛ}"djmu{I( M[O"LjBC#֞`CYơnՉS>}|hzً0nLSA5 fS"緕?RRNpF W&߽tWmYnx4=.w~ @aZA[%٨J9GI!xM>.E:^y*kT[jWf5 soȿ&+K,JX+دrC'n(!)ah1Y 2dN sc-G^{:- +/#7_5K -G?h89+Ӡڀݨ[ '<h.aL8_[Hl9J<-^ GoPQX],֜m``n'튄H& r_59qJN,EJ-jsR \NLL%|[D4kisՓo\ <)?0}(TUes?` w\h+ KvLx2tiײy a~K&Id7|J:hE2~x ce_z.]㑋`riO>|/^8fh1 +]سQY-NtfK_oV:E  =Ʋ=M 3r7e(&Uk:+6WO;Ibn@gOpUj~9YYsr8]ɫxm/9^ xes!kr'7߁x;xeLm6 p@CP亀pD@|6I5(wKNϝ=yRuߋ{[nւSΈ9g@Y>9ɄZF̀Ɔ_˄LW7zω/Rvy yfn7#F͝b\͹+r/w1 ݗ/=?Pm@oC95.hiy[g:ؙh[5Ȭ .Ρ{C?H2&]\:w[.A;\- }C4a@½AMOZ N:!i>ꤠilu*lRTh0IZF~TRm3 p|?/((.GYdNSr(zSs3^G_˗v ηQH?\c/Sf+8EdbiZCC7n1[y_S+$K/n߳:X0ik5KK$;K]ڇݴ+kXHs׼&ׂYogg`I#ۢcțPdEYq`F|Ȭζl1g^C;xr6VQl%ky[Ssv񷖶35K SŦr.!_Ck~L-6)ퟎh5rW^9 0X[)yoE\Tov0;b>V.{7͈W_lY,|@2Pp3>a]=D.c~EQ/D7_X_ZKfR E˄!wM $5;95 $N^[LtZΫG$tPWF5]s(k5Fkɥw̿XiCû$em(s6 endstream endobj 8628 0 obj << /Length1 737 /Length2 1065 /Length3 0 /Length 1643 /Filter /FlateDecode >> stream xmR PSW^DD+N6Y["%Rw!%Y]`-RF)[ TT څRe>L9;cS2C"s\'y<qlBAO ( ll & $r<"i0DjB)U[oku\R7.]!TajaQR pHw !ANƔ SB\ 78( 8ip=$)XIh@L&L !rzPEK,ZEk1J,X\[> nsq..e&Z qtN"\Ą&QGA($q0}2!j;yYh0w~ZO `L@4h)R`9\S(D1f HCO%p_t+ٱ#uq!@1<DP.p[&{ܼ"hwn]xs*k6"%G@_|!"ز*u$ qj~t//ł0*m{ c_eV/bvuͷ%kQCk&dk:>C\C1kf*U?ŗv?aD4J)Ò2dhMPi{ ?wM̕}Gޚ%bWx;8zfe' ߙY췳YġJOGGϿSу,}Zq%ɢZo.)eZ}iaO=){WN)C:rҨ瘾N­ˆR<,| I2mMavWJlXju9Go>!GJg,m;/LtLXGaBOBď2m> خR0ɷݚg-Ueoy4\nל*+:#ŝcso [ZIvHPAoں~Bo}jV.hob̠~y$]ߘ%ff?1^Vg-1MC^DBv9*'ڧiIeYS:m.7֒'|]M"1H0yK{Пjθ~#Mcsk؜Z6Ӿc'-9yu7U,sFtҧ?sݧ.–:fK|ʦv>;e.f}NO+r .x|y +?17MXw-PckB;ky~CFrAqLzjlr g_;# m eL_םHS}1wji.8sJNy>}Q=3]Ɍv0CWȃefm#^{EV\ɲY˅ϲnb^?30mQ=3Ŋ蟏8s o endstream endobj 8630 0 obj << /Length1 725 /Length2 16552 /Length3 0 /Length 17075 /Filter /FlateDecode >> stream xlsp.v~m۶m۶mJVl۶m8Y߳>{jQs5]wu =#7@E\U HCF&lfj`/jj 039̌L0dG/g+ KW տu[#S+;+g%]ōٍ 33 %%/WHٛ9݌mLV&f.fTsg{Sar7{w3g;;TUb" "#{S?.x+;ZJF+VgH0LLS+W= ÿx7wGm?@TS3lm"vnf9S3g{pG?FvV^C2-?*+q+O3SE+vuv3Z?g#gfjfp8TMmώ4Dim7q0ç*mV4O(]:[ytU"G^>ť:v& 9;ٻrfc':5_df~Pf xmNjQ.ȘozO걅( tj:(Ro筌·RH[0ul;y׬͍`Ei֜_N|LHKTz(?pf4uHaŷo !pwdUAEoEt%1 tEwwݫㇷoX 2=Vu2.BD*l +sC.E'c:ޟsХptە^# f=;ߔYquښX@Ư:O2 iNYu(p#V΄p2b/2-?9?ooNbz&dgOHBX38%jqa;LbnbJYc?T5o#c[GRJ>}NgglizaW V4jC'i@Nß [~pu>N A _)0Z熎>(*W!Wpσqa\a;yXg1[xs;l,G,a@e=["ˍ 2տN`b]H$%ZwIt~"s4ĬQ+9J(G08o o4mW~b1&%,KU+\_6yߨ))6dXӧjF\)TE| + ujr巄Ӛ [-6lJ͗-P p!NiuIK@ pb]71%}:pV ŶϮ.z{Dahr>u^vX몉9Iyԇ۶vY9uryn5D. ƒ.˃6j}֥U3ή<0 10/A~&R@0Xw^m$'#M@Rg s[мt{_XƆPI +*{w'JG"|EιcYWFA͏ :R\6 \G ;5س2r[h_#!V8 Vi3vlfAe暄iיͪ3tƄY^-0fجNݜvJ?Zbk2H3ӟL(&=y̘_yq5ʗ ^eol~TWVR&ZwjLP+߆$u)IcScG%It"Qضv&?MD"1wkod'B)lLfsfnVRqF@ŮTw Z,@9ꢡƔq@UnP>G }CȎjnd*Vy \]o,Hb7/Ny.+rʵW\fƑߝ^`UvrݵMҚ2+6 8U"o:h}ezمyi֨F 7+dA6iZ1nW=02CI2  aҏ@#zUhH?c4?Z7DLJ뎌X.OOI'lgq)ݴ߃7˚uZ8t8R&g̴h 2-zU&ħ-z2 c~ M"cڲHhY/pIZSX2j'URN;M$tj-g~SD.m(ؙѽnQR}tG=5U]Pv:*b;:dEL]|xL-z~y3KJ'^NPl ʉ贠2edt(~Rc'+ъgm8lD&C Drd4D2S4wJjl̗|ڏ1-UL6FoX$i$BQ_qH;e=dD 96); /0Üx2R0Iﴱ9dvu`PEA7gT@ q4V>}@:pCna*v3>0`;t.%l#s]ws%E,ea M ȁS𦮍D,a{٩"A7?Z=9vQ1ݽמQJkeS.w |.YQX&hDuIf!x8ӗ^ t54d9[\KLSpz帖u;s'U ,Ƶ.C*d34M=YXfTuz]Z܉pGe8;pqթhimE9~7=k +Eۻ Kjh8e?p85!a9=VAqm7v1I^8 mHRZLVeZFHeiC*Kri9׹)?'g~f)ga߉'!fIHz „5T^[*rTQwyb/\_؋uP{ߴiX ڑ1@ KT*[Mbu΍B"\;1tXFakթ7q[MFɠf+usA#Nk9TȡɜRMU-QbLj}_G@D؅Y!.)츢o+(F'ouﯸlLF¨g(MLH(wX Vd#4R#d<ҡٯ kX&eG\gPPU zHsV*#s湣 V|psNaf KX7R-o+UIӻHqBxס]?i~F?Exi =TKJd5DѤ">LI(@5vu^oAq3`&?;}:kݫ7\\P [)}8LhҔAK;^@ ˟7}Z!VCHL{~Tqdm֢^nw2wYTr\D#}a/!f]Y-,m5/I)R?v6, aLR / FԠ]I|ͬ{qRn?B M!MxUe;Qn\aY%$ E7ГxT.Wq\%^a#xU{RݴP60fl|2 UZ0,` {2A-d\n#Q*;RZwάt%m۸aiX*ư5ۡz^h584)}XAV.{qv7R{~$ϓ%uP+[E)g 6Y$udIAHK<;2J]B;P`eQ{{T¶Q[ԐnIĨH&7;9, dSzP/>/UnV1C] JjtN$abÚY Mr%`?są&ܰ]2cl煷lCix5mf6N #w.DnX7 ,erkmt0XɌX& VCmB0W\~pa8 `2ꄽϸfؔf`7JJ <\`IWvLf,Coucg=ghMz% `6ޖ{2Hux;?ЄYg: =XטK bjwy=9~њvu^>Mfi(p5H-dQg,[7՛f]ھyD֦%wf*kaaN( <,'+2B$!D.}3cc,fY_Y!/ɤGmQ ez^F(oل{ w`1-,$Q@O#l8K7>Ѫ--<Ƀ%`l@XNüP T{- rҧ 6Qk_ .R*wuDqrDDsT$eRQ|; a]lgB̅c©;}`vXҕi>I.摜m9|jpx \=D(X=x_VL)^ݛڢhr-b*5૸z09&|MYn}p0Уn 75KMcpU+B5΍m%<^~C9: ۔6O[-r0k4{,4w5VrzP &w*[7:EЍq$[7%UT' %QG> f=N)FgRc\KG6%o%M*)zM$x>;0-Xna'x\G$4Vqup`;xLguP7v^H@?3,O-(#y t*۸3,F&kA.ؽcq"e"Q*Y}i69V)MmQ8pN%<$wo`ބC$"mmTLo_V0%Z`0˓*uGCY\:'DO ׵4(_k@°+Z͟9 rm~d!a$7˒GKs63ufqv;dxKY\iD]CS;:NA=4V$%_#2E'MY~z4\%R$α!Ii4v|b>t'KbgQ&Or#l"G-.A-RϓQ(Y,Ϧ߰{~:Pp=uW6%Χ&' w}G^?[l5RX'ܚTEiEגu[ dgS|a "Ay>|;PV5J[W55'rCt+ 3ӜD/:ޭ=Fťrl*i,;%nDEtF:6uײ6 Xz[^mǯgf@! ˧Aقq[>"*zL*^Ea%3Al,4JY,r5Yhauϟ<p~^cцjxEĿrԫW7f}7 6X. fh~?ēό?+zBN'eN綻)//Kig!dHLfh/'EuhZ]nzF7禴r,e2>8 p;=%}ſбmn }!)٦aJwo7b6mE HxBa=Bq'@=UĉT:1HX`\sEQ"UڿR~ƒ ~w OQ,g5ڷ>4JKiB?:Mk 9| ?U^1FTZf22=;.cB; ̝d_\}2V IyT֍ a E+Df'ګ %Gߕ,hvgmY_sq^ D\ r A$T#rjHgsџOd7SvzHebe#?`ynj̶*8M60"ƞe@I*`-'#(}'+V4 RV? Sad#TNԗLU;B/>RvkڱO+`Sgtk żڮ䗼M(*ւl}Y~# x+M0;݂a+!.6!.XPczGUڎ7Ej p 2m3lW&6ŧ*)zmB:ͣ2>6Ȥʂ!5Xz#uk{U<jlr75m; AŠ:9<?]5k}Hic4tKТɾJzz {?+{/M]zh0`ae2ꈌn#%21!jS-LM` "N=etM TxaJΣs` ṹ_W*%'WdϨI2J. 9^߶BfI$)bxf=R%uEҌΨ o $Ӊ Xk-{S.HAʏЊ Zį󹣹5 f^YaǴ{<+EV9P.@8laٖ~m41i+XݢTYj򦩍V^fJ9,ј-x>}D1{&_d3If@j.Ňb! {6#$X-@'7žx兦g9@d!JKXSoʾlbS6]NCz[3Շa"\iZH삆A-:py }萬4+kA=OE(w9jnb&^_z??):ƌ=D=,~4T}|{l`S? H/9r6 _c*S ^İa} J4*Ni' OOs]ͮOD8, BݺJVVQǀ85z%l.g_KʽbD} YB:(\÷rF Xc ^B6/FDl8T gՏ}:!w=i_}eo[2p~G An8idq$ԺXF_ص !lt ae]$ 8h]jq/2J85d>HP^iK\uK. MU珯 `+%k4OPfKF,ѹa*L@%Naiy?qR!NNm;51Hd;s?~S&]\/rKwgVElOr &~9G⍞%!x^q;$t\Wo}qO!<¤u{6}N2$ (o!3atnUC_TTԎ9yEW>ā?Vg[ϵr11%@5,|A?Ȇjp4|Au P眮Qz~6 ,E'qVP)B >g8P]v)X 8 ֛N$h4iOM@ _1o1hIі[:?Y`2]R\-f?Cy]6́1"R~Þ:Lrܖ}9i9'btgZÐqzֳ{eEOz?KN6lgr_3dm>W`^OSo;sV-ˇԲM1/)F-ȿhݠve$1vx[0z}lt]lOh%59ɩ9zJU+5ҖԾ[_緹vud2g+3RncS3̧?3S''hui gI0_kQajC;jSp>֌>exZ28e@l%0táZܒAD0v<ʃj!|gzA2}zLq>,V.fB{svAŽp֍&WE "X\D_ݥޝӰ 1L-ӂ6^Yg9Xkz#C(9qUJN^&fnA4Ā٬\5s٠'Y_:[:j5F;.>]Ǩkc(%#;VbD";EK{O=f6r=gf-5\`r?pnj0>zY~[V.I%DEhJ``CsW b1s |Qw4J 9`mb50]B`rwB*!,>`\* /lU 1IAUobQQڠl(2̦IۀbSG-Y8aki$I[k#%8uu׸mcx-uo`„ׅk޹x҂8`%7sv v+'Ȅ 9H:Idǧ )h/3V:u}~V3+aRv} |bK{B@)\u *a\4hQP:n6L\PL r:t P#YKKdIS-{"C_s;K@I>4 ZP{q{9>9yƲe52mr!ij4UYGh֥GL&~l] ʪϲY4Ix6%űnUҶAʑB܌%G LPӶi-D-``Xx.я>1LF ]EI23"pl ga:Bda2+|\=o]5/pV_?eNeRڶܲr.W&4O[[Za{7s:.8ÙTs9:w[߷|:n֯qT?cqJWͤcbοA`*Ty㛖ґ+A!,MQ?D sc;P^R4 {s8z'ȔI] ٰ^|nwio5l"oc'jF-IF ^2/И&䯠K!EѠ޼If58I͞8t%=\=>rW 9^v$3G3$Q~`Z~O\ -$ @3LDQCFJ|a׿BIV|P+Z?EP޸vq;"0z' D6<1ya(;9yv9OW٫Ζ_r\:P@Xx6n51\n;xFL)&謈B5n%->;0C(m@L#lbcCȍ *CXxO?mҽ$k{*:DiIz 10WNWy2}VU󨱯:8k5sT[=i+@UD[wt2+FE7vQwC*^p';xn:;gVڮVr1IU+t]ʹJ ҬNuYMJp"V>VI =Me*><N4o\sP8-R$زWrZ*EߘDR队wقLOĊfi >~W&ܥ|\Z?w7$l$(ZY]!!-c<#bBcs`2<PcfqoiF pg[bnt&7afRi0;M~4vb&sd#Qڗu# n+[^.爟~s BePL?wؤ9Z]}?k$Z.D7V̇K\թ|jɴ1C*92Ӛ0$ N±9:O7nYGǺx;9j\?v8L?"#n0Fwیl ƺ Zfkh[\|2Y%[IaPRرU>6$[xP ԝ׬LD.oN| YV?{Dg&Z;f2hxI"R9E !vǹpa!z`}aI^Om 9.NhA*"3op^yOL* [_&97Bc#Rt?&3,YJ3v[\:"2#GH޳z p4"we\g^Z*s3eoy5=ޗ|ct~=B[[( r%i*D㷫:~)PWd( N(cWm?DldV7x@,F5gw:]=ϾϫҬ'b6O6V/Bv W {^@Bx4mqU+ w/(5<&UĨ!uT/?,F}FL.G`˖~ƕB v 7IVLSwBaѹ9:HT0E.5B(tG!7ʳꒇǦSf:oX̸;y/8$ƙͽ+'zF9 n%Tuуsb3gj4@&]]@ G`/UP,+*;J")jYUuC mwzo l_-@HE\rohc0/MEگ.U:LhW7D8f_!Ǣ#|Jn(R؈DCflT?г;Rs'ZUm|?=30h߰g&07rSfC @Zc \c7^Uf6A[˞SI.Kz4o{3 3|҄ƆBz qĐqS`|A!*&5ig%)E)WNU0°MvP]نJÚڳZS[7`tϿUY9d)qGۥXGM m"DTð*8f_Pd0.l6A0C/I+UI@r2,kE,D=Y\1]Xot%dsּr6HY=ѕNWSߜV`<:ljS^z  Eݬb,rhE ydUr7>0yr2]{mRbHldڣ=U}jvx Dm endstream endobj 8576 0 obj << /Type /ObjStm /N 100 /First 1069 /Length 4570 /Filter /FlateDecode >> stream x\[Sɒ~WnL"Nc 61x& Cs~ɬBcٍȮWY-do)xsT _XgB!@y^4RR]/ MTvHBY0"l m¹P c>TO ը@pU  \N*)S8Pp! W8XLJAZ)Q)WXɅqV ]*I`Hc)91։*H8 baҁB W0AU[@ҰJITJULY,8*PUq֣ gV`@8r ,DA|A2GfL180{P! LJZlrU@p %Q)6<)4&@+|Y!w>>ܣ DL2jE-,5=$e:T ;\FR`D<2w ptBr$88w@%F׹`aRb4=%@z`7Db!E@Fix RiZPþucy H !L`;HsqHq M iQ[a ^yG(_um_V׍ٶEa7li.>+ODg` 5u[T mRDf98[\ȡ0i LƒR@*wNc~?qx1tM#/PZ?}]D<zqe'ܸ,\*k*:>]O~zEV+"i&YǙd}J3k,^i'Gٸ#_<.L44*9㊘/`!.ZE%mnZe E3&ӰD%icb&"?XV@s1Ʀz7*iqqz@`LmӨ:CAGt^19ΌOzGx]l'3Ĵ:U:^ʊ cEh8u=̿NxJxw 8ǝ6,>-xGG p8/#t\4Zʩzj12)qV⋳LJ|n6QZKJt9阝 |>?8!N`"E-dܡp.a1~356/&tN+?4qe|ii"Wt_@MWoV [GEW|zkt PcqV,Vx{2ei^:}a+r*򞴠ޒ&#i?Yo+1͠2V#lZ*%NW)J|e1[c!4q/=yKD&˼qU|_3N-M ǒ!lW'}F'= 彤nX5~1N('d %Zhc KIwJ%cw"sg|?sOgr1D YfH6cizMWggmlbkki>'cVy5N/WƻɢD?/ 7_~>n;s/w.ͬiG cӢ-rvY'Xjp¥[ oͨ,鼼 Ai9/d;{v{޲}C}dG석3+~c}.(zNyKv9M0 +Y`vof^k<<|v;;8~<:#RS;u5c t_i']PМJ'@fwO)Nˇyw`|3?R{r wףGWKEZ]u5s!C̅*N%ߏf+x zU7go?EuDSA ~yh#NL 5PAx0sR]luo;GE׹שIڣʮ33:^u+؉g2A~=ቾMc>Ywv$]L"gW7lUAQ@ۨ,lq W#fe"b(*0;/_r8Y,םv6Z H֍a|.'I^EDN@ 6uY6zg;BocBAIp0kWppitGW] ~ZsxOwB.w{o~κf.oUi&<ٔRk=-7Gxdؗtܨ'Ft1v_zәuJFm;̮pd0%lm!ɍ*ϲ}8~SOe^}ۋW \ӅYf^,KbnIoOl|k{ޖ6T7ߗhOvϭ@aSŸBSKkW!`eOK||Uۿj%g5*PCKU=F h? ȟeqbko@SKB`:U40Oj`%ЮǠdZlEcLK66)ԠE񣩔jgL۩YIM9_l, +{  אDjL&\ƗDɔ)AWτqH隢TJku1*p"l"tjyf'BRUZE51d5f#QXbhƑyHweQ.ʓ@Cƛᚈ,$)ʈC12 7[Hfr(2FLC3ds(Ks5Z6r`X%[ɢr\STN/CLrlaɥ􋕮9 Y%OZ¸$W Q}l0Dd#:uQNf:¸#;¸Dt-EQqrQp@3> 12CɘKL Qy! "(ET@ETvhFm+r^ޔYКlr#ƹȥ*.*BI546I4XIď i!!c64ӳ9kL`xflr'D$5> stream xڥZ˪-\=%02I !d20Cp=gֶV-UT]*RKU/}6)}M2zVGPoڋP(X2 BXiȁzHcl@Ʉx4/}@LKmPxBxawQPpxX78 K7lx1 1VLJT?ic@A _Cр@0 J@hx\u ph@L [C  fG8Za/]114L8&tSQpL]Vaqu̢6i~%oQ3_\BXm]8d 01X"6 8 xc@Z|9:F?pxru:a0O),J>|7ǧ,?| t(Y_>>|.Q7:8(L`;/¢<8G' f7&;A!l}J` M&Hfw&_!`K}ˀ~IޖbF' J;TVSGL1vkzxjES QF 3W@sͤuk ߨ:ݬTJ|gQ+PD+[L*``cVl?溺R CH(i(|^ CE:ROݤ?A%#.GȲD٢{n1T\u*tHt/^ cE>"w*Ie%0rROu>=gQ{eZ*cƞ^beH'\ErR9ʣ-r GihB-TutVufx2ʣEj3^RMFIcB@F){?Sg&@Ϲr^u=ufi3AN'،z2ɹB`o|4s8Jj*Ө^Idghh&dPrjj2*Ս8bɃr#ٕn=?"iҞJyǀ])(/7w*`/ڕa ؜%9^ Rs?WPRqA ^ݨ:pHIFy`$B'`$̘d7cQe) !|܋W*VJ'`:_2N B-7*+g"ĵsKFEg ȤEat%ȽDHE=7*ztB/r֝*Y2+CjLj>7wW2[-|;Z ?&r֍*ei@e=PYD{RzԚOxJH%{1F)@$05v_XԖ,mM.yTtv ײkYJw*: W~3ե\e/SJe-MP,}! ܧxՍ!іIz}osbmNsT9E[su L7*7rj6OR6V)lθ2V9Ql=.Tmw]ry瞬S@K,~bd./a\l[f$xR$ M^ϸ8% Nu姫3.Xs[ל* [>7xEnZ ]o2&==ڽΫ rx5bRUnEGPw=h(n{_'PށxG?:n-9mCn!x[n@X}綵7r_C?qC<9`=ճ9_W.6jNpW<)jqss-_+{'榑[SN kłM_*ƬeBxTqu,!S`ۀ/*qVj*ue `y0(̑^i*ޑxU?N L8|"ԣؒ=.җE?*4r7[O?K?~r9P endstream endobj 8659 0 obj << /Type /ObjStm /N 100 /First 894 /Length 1791 /Filter /FlateDecode >> stream x}$7)-Y!B`}\E dafvVɣ0.Hd鮿ң"R~49ƠA:V:X2tK9drXcvc]|:*d"j31<0^cJn -LykFULְ1f-a9uŭZiNO0?>4ۗ~;O?Ǩ7FˏSBqA- ꟿS߾?a? #ђkPmY8/:(7u MY<乻rݿmFhCI`ʶڐeѶx<26h[?yy(zHi&,#x\m8q;{T"-Zz$Ud ,漮?$3gqsŜ`or9Z=hempsŜW&̜YdK;d,n"[%3gqsٲ,9-`Β9K߲,9}0gYܜ9Kf,eY2s7g-`7ݮ endstream endobj 8660 0 obj << /Type /ObjStm /N 100 /First 884 /Length 1776 /Filter /FlateDecode >> stream x}XGS UO,eYt`lŏ/F=ȌkVumkԷ?y*[scU7Z7icko*eӉS 6dl:6I'mL.[Gi/[gik[݇iC(1}* *(0Ny//V {}}Kx=qx}Gq;EMNxEyn+VxWjC{0x:[6<@Vp(Nȋ+Hpx(.S ΠXq [sH ZsH blȋ@́bEQ 2nߙv@ΠC ؅Cb]3`oM^?_{6ܾ>|<˷}{_} |aэE3ÂO, č1]nwm?9_<OP:3kw3)CP#PfU^|(bÊ\)lX%sKxal)8,԰(zkXcdX9, F7,Ia +վ?Xݴ]V}7=RͫT~^畺9-3$)̕ruXWA[|hj>(XΕx/sEFuvG^L_IuokͷSYG p 9FrDniA"l`J ^f )Bf ILГMս(zUӾW=EWӾW}}I/Ni_Lgw.믓5$:g,|O9fF'DzA8cYxrqeq,K{$ `r^EךXN˒HqG9-Ӳ}%n#,e˱ %,}rm,eIKVhKcX,ER]6Kb,gwŬHz܋ww;XFZ6˒cdzbi,KΆ(X4^\{Y˒+3%Jc4%_+f%vyXH3e{y"̲Y` f)bUU1]x̆6&f]k6Td)6rr3ZGOcfXb=mfCV+鄻5bU#,S{mjj|ˊxed3Sb5<f6̺"lPM ^j6hͰę)jHЋ+[zkS^,f{Fg ~dyzしl~]taskM!bsz "8rQ" AvMծvPt;i_SӾFWӾ}/}Iw9}m`̴'ז,ij/5ʴrS,uXdLS3Y8SOwLQ83T{3Y8SOwQMQTE5TRӾE["ڻD(4%2ELȤ.)JdD&IwLQ>3IKk˴T{vK+J촗[ endstream endobj 8661 0 obj << /Type /ObjStm /N 100 /First 907 /Length 2881 /Filter /FlateDecode >> stream x}Y]% }_яgT*1@0![ðL׌!??ޮ>5UmJutT6"*韲Śou[ *iK6 CJe!l5-Jj(qi[lmk)߼I 7lT_ȪXM-mۘtXUuX!?$}Rj-hljKDrI%^ۜ p3"vQ]TbTߒUNT9FEkTFUP׈K5jDI5E)e|l_){qSRR:rHեT*oQ YJU&qjPKrykܖI)kUÚS*OKVu@^꯺DjVd+V9l]JSw 'ͣ@B.[-[M=m8$'UN9) 5mԪb~4%)]W(jU_;fKǺUyѐH5IVh%UB{ [MLq[!TlPLsM4S`(OM7OӋbC7?)?}-jbXmn~}G_XOn+V2p}4ROX1yXju䳿zۊ*ؚኝlC!8UV @`+>lEimM3wʗlm+[l=P&V/meE3[ۢK[g([{^p_'y~-}8Diܥǁ1vrL]|xsR ;:DuJtSg=>mWϐg9UUiܢ $&3r':ݽ2;id;]Vi{0XUcbg)uS0EP)FEz4LA,-phvb=^v;h@{:vhv`!MX.(g7`.;뻽 Zn|A24Y+'v:ts̐ >*ѽҡsuF.+|ZhC3Lghz+;)9_'v9tK LʡSv6H=hda¬5qǡ=3ytoC+ggXzZ 4Yq`I蝑քB[uSS\ q{?\r4AzәYϤ~Yl0Qy+:0-. ;*<8˯ۿӗ_fl__f?⿾|6 ^#z,}sS?(O? Ft?f>D{ x$Eux}SOKe=(.9;``%s`t;氚G K\r?Ͽ#$R5Sv H2GzPlasJlQSmTzKp;Yw XR'6 T^(<| JF^٦pK2R)aTJ| R@%)RHxɯ8+"# <}4E(bUbN(SbY=oYU&"wRB>GUo?yMAdTtw8o(h7AVLVQ/?!<%+FAw/BKF1Ȭ6d2ycYq;AW\&`M&^>`ř VV! fP+$:_#pi7hpT#tŠB!'}gDpWuGW0@D/ ͇|g\O1o_ 8NFʉ9| I13|g^7 -͇7GW0o 2`d%[]Yy(j`!4'~5h0Mϲ7ɺl~57jPPd 6N%> Rg}ɋbT{{?UTW endstream endobj 8705 0 obj << /Type /ObjStm /N 100 /First 1030 /Length 4322 /Filter /FlateDecode >> stream x}\$9nWχٔDR/0|sXQ++:uRJTbyqkqcctDaGˆHkDZ66?l_/>fG{uϣn=X?x"ݎ<|4>1>< #-5_[gayĞ֑Gyd 08X#4k9('g :?Dx <䃿F?MjcW;:_s6H.9NO? v 3rvnۄwfWt45 r~Ga3G G}cV֍ V֣\']3:m-s-Urf9prAFgas4;9Zzv"99YOiݼ)sCs湠X-N8J[t3G *aSnO?߿ڧ}^?s,^Il "bX@bOC-卙ktܗ^^],)1γ 6ˀҮ2كpX$Yp61w腑u+':51h7bb&m.Tnl1jXIޖEޖEt7yۯ֫Lڽ71'iDۂ H <9V҂ae&l6d'BMLLomLQXyqJ2be#qK"qKk$n mLǂ̈́WLכ8R[]L$N,'ɬ;Vί  uS@\Csbą#Q $nj$nؼ)"q?a$N]c]+aa%Pq݂!Q}  5ςW.ĕ F[#&͍L̂Lp5,4dF$#q[M'q )c`LN"?٫ κbX Άڍ~o GHRzo沼>i;;ɛ"v A Ҧ{.0^175hP(Ǻ] z398fS$JۜR+&VuHdfګ{T#2t@M0P$m4txP\wbK0P$7j5YR9uZp5$~CG$q[ "j-ςݼ"UzØl`w &MbB0a߯9-f"5pSۘloFuy$NFPdHv[:Z*ÐǪEf%$bF>F)0 AnYp$@}/:1}D¤jΉlL{L $NڌVq'n$N]*B=V:::B⺺~~5~bk,q]D!30\0` TuA'&N ?hXXH$nI$NZ?ws:$<$88%RR2(mk%.X:$g3dn=8ILۑS$X`e E5!5Ș&J;cb t@'V1!3x(l Mw7MލR *@yaH LۤMԺmҦ&mKv&m6EļjVl71$դELہ7]S{W ґ8MNl &]C:Cwү5G^)ݒɟ SM'rRF&,,kH{#qr {M09~!(naxYpy!/ȃE1S0 }Q%GB?cweSnxYp6EF8):SAܔlשgUL >™L)=:uLJ)):5VX^^e83qT3Aܒ)9_}0e ,vf"f%)&)ʧ2Esfux >_SۑUxUtfy83ۧb nqJ 25gbuřlݽL ?TԢMLQW2`2/.1/غ .8c[S6W 3/K$oəK&N)E9~ؽ:$#/p}uőtALȄN)"C'&+} 5G^]h CN"q"}"e 4c{8.jJ[ց_5/k v ⚞L D/;C{Mﭼɲ .BfRJorpӯ5GfD8M0Z. (|p *Z?O+l|QAv[PERTpj9rI-@e/dQ\5(kqJY55h$NRh$nk;EČe dH \o\Ab&]-b8 2@5~M@jz1H S{ ĹG&}\g$#u6#orF'orGYH(O\5(AW k ū6(}{O}e աɁH M$M!2QT*DY$2*} 1pp @[w3@5@bzH EbŪ P)r'QYQInI.8'q}S*&UP`K@\x%&jqgB&khQ\jUB6X8OAD~̫e @ nvm֟"DYSr`j0[LVj2ZO̫e B*L`JL 풸7Z? 1F8.,k :< bꎆҎR;X$W J&̟i:87=C}JNI>J~OnUH :|U@bn|HrA7D/O*8 GdO*^9ZN6Τ{[.'"AvظR25ΓHt6frʣѐ֦$@hm^^)xcS)`O6} [il)u6l6Z;UW]f؍mJ^dJ|WdJn67'_BeƽɔĔMħ6+M%-վ_we^ޙ?~K/|, ~AYhSk?k{L_`|Ovxo $za no?M}t||9 _ 88>M¿I`9ȍZmr xIߖ{'yZ|9{T#q[Fn.90q[N,>̢yy wһ<zL4 }Ek+$z_ dָ_Y̯0 \Mqއ6oEu7׉f?{`/|eiÃup3ex'ag0},p׸7#\quH>=ROgmqs6;7pПP g7}~|}o`gjZ|ؼYϥH'S:l͉Oޜ|ɧGF|!ݣ zVE^׳A76 j0 ~5~ˏƸ9 ί#n,?yn~|5bֳ*BGƺy?HƾO_L~,;?S=j}% endstream endobj 8806 0 obj << /Type /ObjStm /N 100 /First 1040 /Length 4293 /Filter /FlateDecode >> stream xڅ\%= )&\Ɩ*'H)>x=g=)OݖeI~Gg; ?ƏtmHHi$#;&?R[1iv9:G#{+Gn cs:h_԰lìe*y,k#QR~s(XΣ4KGO7Vw~懷2b AE~֎ gG±^0"ͰnIG%-[h})G_~vX#&m}@,t_1i!6Vkqevcw4Gb+s8dOIWM񳑛~a+TQhk6 ;j9%NeX=eOX8v7vHX%NhǺZf%3V+'Mj%WHBqngXd&)hIv?c5?(|g6,VSX4 O޸G=VAcZ q8R5[TG)4MsDhJH! ;iό%FZ'}#4M5X-~j#Lgij?_o~?ۏ8#68`ٜ!m|t1IE$ؘxFO^,U]@ (Wx`/|# jvk7#'.{@z=QAzQ5 ؠHUY)o"q%7r{602H̙6.LTsf9v"8;R!y/K#yy_vrbP ތrmr9/"zFv0y] Kn lPa,Cu |49c9HS篔oEIi ݒ)W =Y$]LAA* 6(Gh&AU3IBtuNvN^IW/ "dwtL|= tࡂtMNlFTySR j '9 W%)7^; mV8.OIl }[HMʟ jvAS$ "C,Mm'3Z7w`m4+KyXi]EXq0IJՐ v!lwieH+K$;# +}V0?A!?\ yb܃ BVieU}OI g v!SCry'1~CjI!i h ;џsVjvHc'\vr'0,ȹL1 ^f ׌,CқI!5,!iH8E^)/0RzMv0@zl̐kz" HQ =;|@q 1`aL HhԐ2IbjCts9I B|ힴbH7)zȅt#r^u$5 /N[6(VL'#ی(Qŵ\6 i=Hlbsjv18y!-.SHVHVءAQHP =AVy YuYoNF)it٦kېm\Er暩Ɛ&!mtYeN? N߫cIfX0X>Ea,( e?Wo-S$weP$YNs'rn;I$^bݫa;9mc9k%r,As1^-͎adIHoH8i,?_V?Ih$if!kO(xdn.=n7*l)bTMOW|ܻ]րFyl5T.L>u,W)U!b>|"fU`113\`U2Ƴ Qi3., k"J"f%T!lD~7"`IN5eEnִ2D̲Up诩3NڼvF: y9&b@݌A 9v11bAf=u)Ӣ0ؔ]&SyQy?m-`y/`@;P j\ULIo;OV?n|yy~1 ,d$הZ| 2#6{{MEL"l71jq]׀g ǯ rk]ڔ; }|ۋl1B~m{l* @!Gp}iA)B BC>6@dY ðL /|(uWx8 }c;xuׅ -m0o(aK@; 8E߽+/ ~(PescQMQG?gf\98ݙ"ooh1iDJ@nE_Ċ#TSMQ7@4Ǯ859KQ=۳w7`/!gD*}N0y|yS}ً"m:4ߴ iJk=㯴}81z7 ҧl!C'F7_b~h5E K6Ȳ*8[-{>lRe=lE$+Z?Nz˟pkWcFg\ RLSeha445V6>mdaT^ n8#LDy[7yOnĚ=}?-r=ϕo}4FFrږ׍~FoO2 /Hm`ǹ{E?JbD}~55^Cp;\o^W=9u#sXؘvp} ,.ٗJ QF"#hغFY7R{媾/M-~(756xyx Fv_>2kj}zֱۯx@n%5ΰA/UVQQ?pVuoWc|Eitk6[7rWV/cȣii,4_1RLkۺa)u#CJ-.wQ~\psZ/M9 7u#OC[_l=ܲ_EJ-ZzmغyyW^B^ͪbp05uX[7u#35Wr]8WC=v x|erXۗxh\^֦+#of6֍{u3+m\֍,QiWkp/hm˺\%Wi9r,wg( endstream endobj 8975 0 obj << /Author()/Title()/Subject()/Creator(LaTeX with hyperref package)/Producer(pdfTeX-1.40.16)/Keywords() /CreationDate (D:20170713112753+02'00') /ModDate (D:20170713112753+02'00') /Trapped /False /PTEX.Fullbanner (This is pdfTeX, Version 3.14159265-2.6-1.40.16 (TeX Live 2015/MacPorts 2015_7) kpathsea version 6.2.1) >> endobj 8907 0 obj << /Type /ObjStm /N 68 /First 673 /Length 2153 /Filter /FlateDecode >> stream xڝZM$ ϯ11nIEX,xov NN3~3{>ꕻX58#WTZ!!uBmFAw#+9' qU ]T{TCN%-*[6Z{CxJbiVEJ *Ӫ8%Pi aQ dJL ʡL PrꜩBPʴj(b 2+SŕsrQקv`]x k\_k1Q))Fsq6nH. U\_CE÷A,ysYyt)1o;ԑwh8gaE}gN󝽄|-x;KA+;}ymTv}y5(q5[g<`HO\QF+xpwh/Țwh3F0* OO ??]~?(BbH`|YC>vib("0D6O%pZ1 m1%T%pY1:```|m1Dn-zۍ80,#S3 |#˶ WCa~El1dM" d&0AX'N`Q 9͹[ 3XgT/GVC~ &&&Tc;,i քx~u+Qv. ]@Q< [ކv0H3H3H3~˙vpu`]5E /Rs]b$#` mhry@0+fxv4iu0@2$-oRb^/-o~`x݀ Tf3P<芘ьS[@"_, buU!1c(K" /ӭbṶ͠}(X9-IOk5C`O]eRfdQ(fbrRȕf$RRڇx EλB$ D !RoE /-$-[]S$aR7YL!fH'}W9{(MSF P)y2a;P=8]cك6)F'Z)Jb-7ys{uwDN1@)tK[*{cDk4:9[r;0.Ɖ"B:1o|BP?X4noH<B Z҆sOi9MYA cA *g۱Dz~ 6lvvA& 2i gPێf/??ZQ ;QQAH Bjz,fw&7L| 5HABqz9Ǐry/ mp; endstream endobj 8976 0 obj << /Type /XRef /Index [0 8977] /Size 8977 /W [1 3 1] /Root 8974 0 R /Info 8975 0 R /ID [<13F1CEBA9B7C5B66D17B5582F7AD88D2> <13F1CEBA9B7C5B66D17B5582F7AD88D2>] /Length 21528 /Filter /FlateDecode >> stream x${@oyp  ! r> (-P-R(NnU]9q`N:qn:DMfB]ާƱCx?nWP0q{D5TN) +&8س jJLEjO[A6+ZZ0f9F*&vKMjdh:.P@BR+vQ+VðPa)(Oݧ jyZ35SӇSOM_CiTfjSJjtکiC KTK0o+d.QcQ˥V\OMj9+tUj^#`RQjz1tW}& j2StQPMjl o?v$v.Cm<ͧ Gmb`&1ۀ$Sӝ0RPFMwD*C} jsn >dfMMi]}B`ƻ#}vK04@5~0t|j?Zfx8-1tjut$#Jz@5~-0,%RPFNma9Gwtta@9ՠ ,Ë :PO6H n1lX(n2l8HvjGS ;@'5~:dnWDma/q q[whoBE:ap^0rtRUSSIޠOΣ+ NQSiιIM_ Cݱaκ+} ,5]f&-Y|a>*5ݧT„6_%K Uejt쨛aILoLbeG]$Sӝ0$g[G M $ A`sė1Y4VfMtG- -JaQcA9jbht~G  +Q=sIMectAec+w{.2"j9Jb^;ewO$o:AW#NT@Sl:ES;ES=ES?ESSSSSSSSSSSSSSSSSSSSSSSSS}.ijg;} OUH9 8>NGpzp?~:p)ϧ7{: 0y 'OL<]w$K}RI!,I^M&AY XA;'p@1( pTpԂ:p$KRUzAh-v:A=}\` +`\FS`̀[Z.`w<"2X2ydqҏ~'8I?Nqҏ~'8I?Nqҏ~'8q5ے4υOv|ݒG82đ! qd#C'8ǫnq#q܈AxG8 Q q@(G8 Q q@(G8 Q q@(wK̗UEG82đ! qd|n qA0%`\Ͽ\k)rS&/Xs$}i^k=pG9K`A!__}weIγWBCID:Ħ' ~Sbzv\O0I$林\O"=|+b91T'|L 7Я"N}O~WEG(<"e:u5"@C'u"_ԉ5x_C'[HtB#']"}.7q ;]kI]E=S|y2FDf?5~˓qgO[UL< lz2 n9OPɜȣ#d̋:}׷j߷|WDu@IL$?,Z x2@u"A?,`",vUk| ^79wwvn7u"}֊A8JED"_yt1Қէa=(v_}i3hl#hE>Pmt|Fg;A?_%>}s.Krڳ84k$['a~K;"C:{跴$W'&-0-5ے\]pIrƷ|Z=/-N OJ^&OzkYv֊$BT <mL`ɏm!JmeI\N V6*ɋ/Y>P׶lː_z:'/՚ V$O-B-$?~*WV *A$Kk|jP%ɯԉ j7j"|kmalHkݺ1mamu^%oYMm!maV$˺ [ȵ\[C|߸#ְ$/I#-݉blOh-mK1!oЍiؚX5 ~/jKWAr}7 $ɟ2X[x$B$ӭ@:0Iʟ& /~dK7ޯ`9@Qn9A$(nP< $z"P Jx0ǰ Tp4k?CՂ tFII lh-v:e-)[zAWC_7Ƹu '&A'@wn2nI0 n[6#z2=ۓw<"cCC,)u?{CIrĆHoAk8ķx&IPj62a|n̖=i6o7nK6mm6mF)(8C l F3I9@ @FP%)M7iag$)׮ }kR"oltH{^(|R|10 l@˒o꣌qIxN 1))}N`_?o m򷻺mm"@eXi C$瓾:ҭT`@|, uL-À.94ú]DngG ;sv ФcPRMԍ1zqLS9T1Jch1Ձ&P)-}<;cjt%5nB "c7-:aL=S_A;cu0$5?Ѝap\q0`Jjkn6w]0хJjKPU% VPR#16^EUԩ&4H`z7C a|ŬjMRWޭv=^]}Z>h V=Bִm -V1gDRڧJ&*ȰJZ/s} K ZňvI}WHN *oXV%O_5YŃU_ v| [A;hP7i 1˳g %1ERk` ~1#:qhvW'{:1 e0:m]nMqIKN&ǧ$֦]-I+ԉBIpI9%L'hW[${Poѽ蛗/fk?ա6="J7& AeI }E{V e6Xg6K%!ܞ$WkFS}W %ѫu nA=^Yë Ij 'lJ^J]Mࢤ%]kHWnn^wuc`Z;Qk0gCaIڟ7&Wi ILNЫ>{taɞbnݐOj{JgZŷȭ{tj-7UiPyp4fI6-4جL]iWl& I"6X;JtYm9@{Ws%' ZӯsKXXmsHzRΞtѢt hQm+%N6;&N6ZO%u<^Ӷ*I։jP.Jz%n5zI○ &I~N'A;>:@O z% .p KЍ#~Ѕg[`LҟW`7׉)0ے,WޣX;g[gW$7qwZYۈ-="v y[tQo$ݧ:RtGogJհi #]:A6m'/yOն xS?:Ј*EnKF2I;a`vUj ԂIz.z uN6lcvt 6lcvEgl뛝’m Kŭ#6lF\z[=1pUңzl^dc}1=.?jYھi6M@ӏOi{F2n,6mMw2/ioYlƦm(;T.KFθn3o$|g?34ϼQ ;_6Ђ|g]ިQ*ҍFiyR2>頙|$jިNpz𹞙q3ot=WK2zFy_2w_'PJwu) W$?~@OI kq =`\2~8 L&jК~*|gH,#?N | 2;3ܙϼqW20N@ Y3yl>/T-YBϔ8È3|9#3dV:u38cA9Ã3d6s>C38˕̾h spuϜy5_gqe 78 vWs?+̩?e -P *$ިnºqHgrpV#ϿaYh̗|I7A3,9c8c8k:4g(u%ggݒW,ݻ'OC!o,gsMg,#gdth9C339æI4g,#g7%Cz:C3Y 8á3=d^2wZÜ3l:[g?4_gY2?լ+Ud19Y"Yu7|tgp:s%:k9!g}<#߱&g}<_׉sS? lWJOu( ~qP*AdR'΃P%Yi dM'jAQ/lh-@K[]'ݒuɢp +d A0aɚg d~֮I0.Y _t]=e&_m $u:; "2PK81-N$rR {®;ѓw΋[I' ^dHϭ -%'9N,ng"@+rȕ&zr'I)tR Yj0Idu` I@D:}أ@FP+YzI+hݏi NiN$k߫w@dmv:9闬Lg/:W$B:1 sNKub ' sNs9'Hs2+Y?{Nw5|9'Yl:A`YG:M'& $Ï, Y89lNZpΊe1SohM,Ja69b'ـ8ܹ5vuxKU:ŠIaEb-zRyP|3zfX 9֪A|H'"7hdvb~rzNL|K'.>p +`\b:`L/yNL``J̿ =}&='Wo<%7gGd?ZžI?缏>b^o~&%:%`*Ͼyb~wt\NF>s>ê>^>#>M6cEP%'_Y)G}$Cb*ϩ (J!pm;,s:.~/~R?Pj/>2>>lڿ*5#@}ڿnv?oQjQjo;Ϣſ} _ɏu+hi C ~P!vݙ d  Rz7s63zpC3.gqà%ٶ)- \ՠ\ԃ@3h RP:A^g`pVh`` LL ph0Ѿk`̀QvY fW0+s` `,]UxbZ$ iviKvTenֻeJ[؁Y>cA^9}51:I(;E@'uVz_bɞ{na;شM;8C;8C;84;}?OR;賃>;賃>;(Ϗvش%;X ;/,n\W|U'0gsv0g_va3IwigPWHCAq&%;dY2,`F Ŝ|Yve!'THBk"^R$o֡'V&HЉ ` ,nlv N$?һ(cԉ"PA8@dvԀZpA5嬀]?@d/['A3Hk 6@dL72[|C7W@dIk@&zг·%Gɻ&uN@!Sb1-0` >NYZ+!bsP[KyhB&M_qhG^ǜuTYǍuYOK涎RHuYǜuYǜuY'uvz1uY\`[}g}g_qh"uY/KGQ.:%똳di[:Z׈]Xǜn)i @X v :"c@ap\b.׻]شMشMX΅G21sy]Mi&شCs]Нeպ 6c:6}ث\fc[V,WDh b h4v"}B'ZA^:%-Zb8GbW_ ,7Fu0 0n| 0%:{̀R?|n@ҋWzɊ{@/T)>weIwڴPQĚ2q]U(Rמ!|Ib5Kvd0IpȇC>ه9ln\>09><^M0̇aBRN(|Q3mnK,]( l @KlՊu`]g^i|MbM6qޢ)I zA .Wgld|b݄+B$5.  aslfM:>4f,@)Zl>e^&KbƷ65Mb8/ynM4V?i8p(/^u(K\o-+CP%41XEb(CKP }bCP%+? bH1xĐ&41VG[/׍$cEG tbCX-@Z"J'=zlO+5r P%báĚW{):Üp#*un>1X_bc !H #bCb=XbcEJ Ubc!HlB_yc H&v[/`K _bwz7Xp(*1̉-Nu֦"evPr~l:Ov>"}Q?щT $'Xk , Kr:Wz;ЫkpY*;ڹē\v>1s';>"Vŭ2P"9:Q ΃r9oZ*%»%VA4Pku4HNT$}VZ$Yg@'=Crz3t>ApIr^]*F2:74A,)9wmGvu,9YnMyp,ep_rd_֊zϡHΫtWxuȕvN!WJ:DC9DC9HnL.ibӡ^H#9w^7C:K!ҡCrޭvrX(9ԉ"PA%(^;DC:$Cvݡ> D:rHsX%9A`O!vK !GC:O@C9D9Cii(蕜Omc!b!N: 0Ug|(sDCT9Ħ!O=T\ _FL Ir\#)b[ !Ϳ@ A6+6`>?hлq!] 5@?"t(z<@/UUUVŖRrP EFTyenϥ ٢: A_6 @7:VM4nArt A0bl+:c`Dl S`bz` w@n7ԃE]{eae!HHSmt" R$y2np#!n2ĶܮK CBlb{n4!dKJk—P~] y!eBXJX$݄d6p BK!MH/|dJ[nK!H^lZ/iK]loZP@noMz?e`HlP'&4b'WC! wtv`X}Bbe! 3>b0,M!l aSh̊Stl q%UגA zkE eTH d, bOtL`V`f}-Kgs rN/΁JKl}nUwu<([\gA5V.Ԉ.l-&bJ7tvuuŞvEkƗAسP'wWح/׹_։pL187,$ ^ ^öȣ#{Z } :%WTȧ^={ JIbYoa&6mbf[~ȵuvϛ8i{&lZޛ5lDMZ O/mfsb~κmbf1(Yg6js6=b>WM(CMlڼ [:u56i6n6k>ݸ c7b,n}:Kds&mv:\qq&m&\{n"C@/fxEq &n4D6Qj_rEizyK(RW ~c]7Y>M:?n3!wYOR@*04 }SK ؀䁄uo[G.Nnts \x@(%ޭ*P!}W'΃JP jEP @h >'zzZ3bj p.nuNuj zľߨAU6+ n<̛7u0,Du;.ə7 F5&n0 p7}|}E>X@mzrO&_pcMJp\":Ĝ530j-JaZWkf [C5iph kϛtn %WtB"KntgInFNJ\/zkxV#"rIZC5[æ5Zk܂gϥ4k$k8F kf]r55ph_r&t6 |Y&zYW[Ӌڨ^|n PjmRr_ش>k7%%5ZC5U_<Ο&hfkvOr{akxWkxK&V%Er.L*S:4 `%3t6\`<p(nPJAJ ǭz@9A%=|PjEP A#J-vA䮾K7]@"!0%:q\(z?C|b s\L0 rݔ%+Men np!SGʢq&iȏ2)@/k#e:A%+:.}ҧ.}2G_&\9w2]rz')۹K:K:֩Q~K1p%TWBupSǣ"kbR\Ot_&K:UᪧGUvuR\'P\ArFt&K s%TǣVV!.¨x)np:$': A%9yڰ:k:H\1S\1O&$Ag'qAǹ[TXK:&&ޡR\,HW\,R8ONGTD1'9Q֒^9 HՅ'>,1^ZA됅'MQ(LE&/QlD1'9Q̉bNU9b8_>QV(DQ%CQV(nD (׍q(~HŗhD)/QD^Ug'*1 G4f1z\Qh/D*>Q|K_Œh7^R滬/Qs!nD): ƌM7E(DQ*:0,4QF_/Q䊎q?XE(DYdXMy.š(Eq(CQ>d-$1>TR t6d1^I.X aث'r|p8 B`bPJAveT*pԁoэA -VAh/:A7C/? ʭ^#ƟЉK`%j~p !p `q0nI0Mp 3`́;.PK% V+' H d,`zw `v  N bPJA(<U5"u4FA hmtNAzAC Ff>,ƟNt`` L f,w]0% V@\\ >@| >@| >@| >@| >@| >@| >@| >@| Up d Cd <@2yd <@2y?X>}6~Hkҙ- T`i dL X\`<p(nP<P @9A%@5A-4& Z@+ht. z% @?  W0 p10& 0 4 n`̂9pX>X`<d Nz'KRdw;Y,Nz'KRdw;Y,Nz'KdmwzX\y}ߘI~dw;Y,N'˿dw;Y,N'˿dw;Y,N'˿dw;Y,N'˿dw;Y,N'˿dwZ?dwZ N~$8YNV~'+dw;YNV~'+dw;YNV~'+dw;Y| Axƃ0 a<Axƃ0 a<Axs9hF08 (Š2P*yP P jEP @=h 4 @; tp >.00 k`\` pL)0 n[6`w<"2XӚ]`AdnAdnAdnAdnAdnAdnAdnA!zطKCL%b2q4 0P@ 0P@ 0P@ 0P@ 0P@ 0P@ 0P@ 0P@ 0P@ 0P@ 0P@ 0P@ 0P@ 0P@ 0P@ 0P@8~(G? Q~(G? Q~(G? Q~(G?a?O~2d's? ٯJ^K-'}?IO~'}?IO~'}?IO~'}?IO~'}?IO~'}?IO~|X H) @H d3`9  8@>8 (Š2P*yP P jEP @=h 4 @; tp >.00 k`\` pL[@3TgJ>n0 p̃{`,` ,>QtI?HA~$ I?HA~$ I?HA~$ I?HA~$ I?HA~$ I?HA~$ I?HA~$ I?HA~$ I?HA~$ I?HA~$72_7Mǯ_7-nҳ`whuJxPȹ) T`i dL X\`<p(nP<P @9A%@5A-4& Z@+ht. z% @?  W0 p10& 0 4 n`̂9pX>X`<dΙ^2̽d%s/{K^2̽d%s/{K^2̽d%s/{K^2̽d%s/{K^2̽d%s/{ ٫~C}EU!w(E/ xQ^(E/ xQ^(E/ xQ^(E/ xQ^(E/ xQ^(E/ xQ^(E/ xQ^7wT H d,` ؀@pBERPA8*AA jA 4fZAhtn.^e0U0 4j &y510& 0 4 n`̂9pX>X`<Oә?C癇3jC?C~3fZ,;[!GH?Bҏ~$~_dR t2A0l`Vlrs \A!"P J@)( \ՠ\ԃ@3h  @7@/2`\*Fu0 87$&n0 p̃{`,` ,9>1?&dc2L1?&dc2K_/:㼅Pn RJ[ʥP.r)JK/zIDgbLX8nՅƝ&?9cD7U\eFud,3?t/kM_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 K K K K K K K K K K K K K K K K=]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]]Ǿwys9w;ys9w;ys9w|/Cf+aO_JKKKKKKKKKKKKKKKKKKKKKKKKKKKKKKKK$_!X kaX `=<Q1 [`+l00`'8쁽a 'a?<i8</Kpp 8 )8 8 <"o%x. -o  {pއCp')8[H.S熙p0󟯮f7HHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHL |ujXZXFf[al9;aa}K< )8OAxx^#p^cpNIxNixY85ux|fWz_fwNWm7]x|]}>π}o7U+~e_ٯW+~e_ٯW+~e_ٯW+~e_ٯW+~e_ٯW+~e_ٯW+~e_ٯW+~e_ٯW+~e_/pP9W+yr^9W+yr^9ܙaн~e_ٯVUz-ݎG07u]h?{4K*zS7'zNn єhuJ2CZќh5SDO~0T!qA0[3h`<hX4z5]VDkR':x։GE9i . /zρU;~x.hDBG;Wx[mCq`pr|uN={4%ޅx>sјs/y'[ٓ{V~-;K $ $ $ $ $ $ $ $ $ $ $ <~ӚUM]4JuzH1@ Ʀ.>ÃG뻦0tztant4̝tzlt;3;ivܰo7ӎaGtZvt9,,a:|:/N=·4 ߻11܃ | aE>K@| >@| >@| >@| >@| >@| >@| >@| >@| >@| >@| >@| >@| ?fXR#߈o7F|#߈o7F|#߈o7F|#߈o7F|#߈o7F|#߈o7F|#߈o7F|#߈o7F|#. ;n{vs endstream endobj startxref 1720067 %%EOF